diff --git a/.gitignore b/.gitignore index 2b1cfc37e0..7fed42af69 100644 --- a/.gitignore +++ b/.gitignore @@ -56,6 +56,11 @@ plugins/SettingsGuide plugins/SettingsGuide2 plugins/SVGToolpathReader plugins/X3GWriter +plugins/CuraFlatPack +plugins/CuraRemoteSupport +plugins/ModelCutter +plugins/PrintProfileCreator +plugins/MultiPrintPlugin #Build stuff CMakeCache.txt diff --git a/cura/API/Account.py b/cura/API/Account.py index 2d4b204333..9f1184a0a0 100644 --- a/cura/API/Account.py +++ b/cura/API/Account.py @@ -1,15 +1,15 @@ -# Copyright (c) 2018 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. -from datetime import datetime -from typing import Any, Optional, Dict, TYPE_CHECKING, Callable +from datetime import datetime from PyQt5.QtCore import QObject, pyqtSignal, pyqtSlot, pyqtProperty, QTimer, Q_ENUMS +from typing import Any, Optional, Dict, TYPE_CHECKING, Callable from UM.Logger import Logger from UM.Message import Message from UM.i18n import i18nCatalog from cura.OAuth2.AuthorizationService import AuthorizationService -from cura.OAuth2.Models import OAuth2Settings +from cura.OAuth2.Models import OAuth2Settings, UserProfile from cura.UltimakerCloud import UltimakerCloudConstants if TYPE_CHECKING: @@ -46,6 +46,9 @@ class Account(QObject): loginStateChanged = pyqtSignal(bool) """Signal emitted when user logged in or out""" + userProfileChanged = pyqtSignal() + """Signal emitted when new account information is available.""" + additionalRightsChanged = pyqtSignal("QVariantMap") """Signal emitted when a users additional rights change""" @@ -71,13 +74,14 @@ class Account(QObject): self._application = application self._new_cloud_printers_detected = False - self._error_message = None # type: Optional[Message] + self._error_message: Optional[Message] = None self._logged_in = False + self._user_profile: Optional[UserProfile] = None self._additional_rights: Dict[str, Any] = {} self._sync_state = SyncState.IDLE self._manual_sync_enabled = False self._update_packages_enabled = False - self._update_packages_action = None # type: Optional[Callable] + self._update_packages_action: Optional[Callable] = None self._last_sync_str = "-" self._callback_port = 32118 @@ -103,7 +107,7 @@ class Account(QObject): self._update_timer.setSingleShot(True) self._update_timer.timeout.connect(self.sync) - self._sync_services = {} # type: Dict[str, int] + self._sync_services: Dict[str, int] = {} """contains entries "service_name" : SyncState""" def initialize(self) -> None: @@ -196,12 +200,17 @@ class Account(QObject): self._logged_in = logged_in self.loginStateChanged.emit(logged_in) if logged_in: + self._authorization_service.getUserProfile(self._onProfileChanged) self._setManualSyncEnabled(False) self._sync() else: if self._update_timer.isActive(): self._update_timer.stop() + def _onProfileChanged(self, profile: Optional[UserProfile]) -> None: + self._user_profile = profile + self.userProfileChanged.emit() + def _sync(self) -> None: """Signals all sync services to start syncing @@ -243,32 +252,28 @@ class Account(QObject): return self._authorization_service.startAuthorizationFlow(force_logout_before_login) - @pyqtProperty(str, notify=loginStateChanged) + @pyqtProperty(str, notify = userProfileChanged) def userName(self): - user_profile = self._authorization_service.getUserProfile() - if not user_profile: - return None - return user_profile.username + if not self._user_profile: + return "" + return self._user_profile.username - @pyqtProperty(str, notify = loginStateChanged) + @pyqtProperty(str, notify = userProfileChanged) def profileImageUrl(self): - user_profile = self._authorization_service.getUserProfile() - if not user_profile: - return None - return user_profile.profile_image_url + if not self._user_profile: + return "" + return self._user_profile.profile_image_url @pyqtProperty(str, notify=accessTokenChanged) def accessToken(self) -> Optional[str]: return self._authorization_service.getAccessToken() - @pyqtProperty("QVariantMap", notify = loginStateChanged) + @pyqtProperty("QVariantMap", notify = userProfileChanged) def userProfile(self) -> Optional[Dict[str, Optional[str]]]: """None if no user is logged in otherwise the logged in user as a dict containing containing user_id, username and profile_image_url """ - - user_profile = self._authorization_service.getUserProfile() - if not user_profile: + if not self._user_profile: return None - return user_profile.__dict__ + return self._user_profile.__dict__ @pyqtProperty(str, notify=lastSyncDateTimeChanged) def lastSyncDateTime(self) -> str: diff --git a/cura/ApplicationMetadata.py b/cura/ApplicationMetadata.py index 712f3e0f1b..f367f61cc7 100644 --- a/cura/ApplicationMetadata.py +++ b/cura/ApplicationMetadata.py @@ -1,4 +1,4 @@ -# Copyright (c) 2020 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. # --------- @@ -13,7 +13,7 @@ DEFAULT_CURA_DEBUG_MODE = False # Each release has a fixed SDK version coupled with it. It doesn't make sense to make it configurable because, for # example Cura 3.2 with SDK version 6.1 will not work. So the SDK version is hard-coded here and left out of the # CuraVersion.py.in template. -CuraSDKVersion = "7.8.0" +CuraSDKVersion = "7.9.0" try: from cura.CuraVersion import CuraAppName # type: ignore diff --git a/cura/Arranging/Nest2DArrange.py b/cura/Arranging/Nest2DArrange.py index c29a0648df..dad67ba161 100644 --- a/cura/Arranging/Nest2DArrange.py +++ b/cura/Arranging/Nest2DArrange.py @@ -91,7 +91,7 @@ def findNodePlacement(nodes_to_arrange: List["SceneNode"], build_volume: "BuildV if hull_polygon is not None and hull_polygon.getPoints() is not None and len(hull_polygon.getPoints()) > 2: # numpy array has to be explicitly checked against None for point in hull_polygon.getPoints(): - converted_points.append(Point(point[0] * factor, point[1] * factor)) + converted_points.append(Point(int(point[0] * factor), int(point[1] * factor))) item = Item(converted_points) item.markAsFixedInBin(0) node_items.append(item) diff --git a/cura/Backups/Backup.py b/cura/Backups/Backup.py index 90a354c0a3..a5fc3044ce 100644 --- a/cura/Backups/Backup.py +++ b/cura/Backups/Backup.py @@ -181,8 +181,7 @@ class Backup: return extracted - @staticmethod - def _extractArchive(archive: "ZipFile", target_path: str) -> bool: + def _extractArchive(self, archive: "ZipFile", target_path: str) -> bool: """Extract the whole archive to the given target path. :param archive: The archive as ZipFile. @@ -201,7 +200,11 @@ class Backup: Resources.factoryReset() Logger.log("d", "Extracting backup to location: %s", target_path) name_list = archive.namelist() + ignore_string = re.compile("|".join(self.IGNORED_FILES + self.IGNORED_FOLDERS)) for archive_filename in name_list: + if ignore_string.search(archive_filename): + Logger.warning(f"File ({archive_filename}) in archive that doesn't fit current backup policy; ignored.") + continue try: archive.extract(archive_filename, target_path) except (PermissionError, EnvironmentError): diff --git a/cura/BuildVolume.py b/cura/BuildVolume.py index 8374bddf74..fc5691f034 100755 --- a/cura/BuildVolume.py +++ b/cura/BuildVolume.py @@ -66,6 +66,7 @@ class BuildVolume(SceneNode): self._height = 0 # type: float self._depth = 0 # type: float self._shape = "" # type: str + self._scale_vector = Vector(1.0, 1.0, 1.0) self._shader = None @@ -513,6 +514,13 @@ class BuildVolume(SceneNode): self._disallowed_area_size = max(size, self._disallowed_area_size) return mb.build() + def _updateScaleFactor(self) -> None: + if not self._global_container_stack: + return + scale_xy = 100.0 / max(100.0, self._global_container_stack.getProperty("material_shrinkage_percentage_xy", "value")) + scale_z = 100.0 / max(100.0, self._global_container_stack.getProperty("material_shrinkage_percentage_z" , "value")) + self._scale_vector = Vector(scale_xy, scale_xy, scale_z) + def rebuild(self) -> None: """Recalculates the build volume & disallowed areas.""" @@ -554,9 +562,12 @@ class BuildVolume(SceneNode): self._error_mesh = self._buildErrorMesh(min_w, max_w, min_h, max_h, min_d, max_d, disallowed_area_height) + self._updateScaleFactor() + self._volume_aabb = AxisAlignedBox( - minimum = Vector(min_w, min_h - 1.0, min_d), - maximum = Vector(max_w, max_h - self._raft_thickness - self._extra_z_clearance, max_d)) + minimum = Vector(min_w, min_h - 1.0, min_d).scale(self._scale_vector), + maximum = Vector(max_w, max_h - self._raft_thickness - self._extra_z_clearance, max_d).scale(self._scale_vector) + ) bed_adhesion_size = self.getEdgeDisallowedSize() @@ -564,15 +575,15 @@ class BuildVolume(SceneNode): # This is probably wrong in all other cases. TODO! # The +1 and -1 is added as there is always a bit of extra room required to work properly. scale_to_max_bounds = AxisAlignedBox( - minimum = Vector(min_w + bed_adhesion_size + 1, min_h, min_d + self._disallowed_area_size - bed_adhesion_size + 1), - maximum = Vector(max_w - bed_adhesion_size - 1, max_h - self._raft_thickness - self._extra_z_clearance, max_d - self._disallowed_area_size + bed_adhesion_size - 1) + minimum = Vector(min_w + bed_adhesion_size + 1, min_h, min_d + self._disallowed_area_size - bed_adhesion_size + 1).scale(self._scale_vector), + maximum = Vector(max_w - bed_adhesion_size - 1, max_h - self._raft_thickness - self._extra_z_clearance, max_d - self._disallowed_area_size + bed_adhesion_size - 1).scale(self._scale_vector) ) self._application.getController().getScene()._maximum_bounds = scale_to_max_bounds # type: ignore self.updateNodeBoundaryCheck() - def getBoundingBox(self): + def getBoundingBox(self) -> Optional[AxisAlignedBox]: return self._volume_aabb def getRaftThickness(self) -> float: @@ -633,18 +644,18 @@ class BuildVolume(SceneNode): for extruder in extruders: extruder.propertyChanged.connect(self._onSettingPropertyChanged) - self._width = self._global_container_stack.getProperty("machine_width", "value") + self._width = self._global_container_stack.getProperty("machine_width", "value") * self._scale_vector.x machine_height = self._global_container_stack.getProperty("machine_height", "value") if self._global_container_stack.getProperty("print_sequence", "value") == "one_at_a_time" and len(self._scene_objects) > 1: - self._height = min(self._global_container_stack.getProperty("gantry_height", "value"), machine_height) - if self._height < machine_height: + self._height = min(self._global_container_stack.getProperty("gantry_height", "value") * self._scale_vector.z, machine_height) + if self._height < (machine_height * self._scale_vector.z): self._build_volume_message.show() else: self._build_volume_message.hide() else: self._height = self._global_container_stack.getProperty("machine_height", "value") self._build_volume_message.hide() - self._depth = self._global_container_stack.getProperty("machine_depth", "value") + self._depth = self._global_container_stack.getProperty("machine_depth", "value") * self._scale_vector.y self._shape = self._global_container_stack.getProperty("machine_shape", "value") self._updateDisallowedAreas() @@ -678,18 +689,18 @@ class BuildVolume(SceneNode): if setting_key == "print_sequence": machine_height = self._global_container_stack.getProperty("machine_height", "value") if self._application.getGlobalContainerStack().getProperty("print_sequence", "value") == "one_at_a_time" and len(self._scene_objects) > 1: - self._height = min(self._global_container_stack.getProperty("gantry_height", "value"), machine_height) - if self._height < machine_height: + self._height = min(self._global_container_stack.getProperty("gantry_height", "value") * self._scale_vector.z, machine_height) + if self._height < (machine_height * self._scale_vector.z): self._build_volume_message.show() else: self._build_volume_message.hide() else: - self._height = self._global_container_stack.getProperty("machine_height", "value") + self._height = self._global_container_stack.getProperty("machine_height", "value") * self._scale_vector.z self._build_volume_message.hide() update_disallowed_areas = True # sometimes the machine size or shape settings are adjusted on the active machine, we should reflect this - if setting_key in self._machine_settings: + if setting_key in self._machine_settings or setting_key in self._material_size_settings: self._updateMachineSizeProperties() update_extra_z_clearance = True update_disallowed_areas = True @@ -738,9 +749,10 @@ class BuildVolume(SceneNode): def _updateMachineSizeProperties(self) -> None: if not self._global_container_stack: return - self._height = self._global_container_stack.getProperty("machine_height", "value") - self._width = self._global_container_stack.getProperty("machine_width", "value") - self._depth = self._global_container_stack.getProperty("machine_depth", "value") + self._updateScaleFactor() + self._height = self._global_container_stack.getProperty("machine_height", "value") * self._scale_vector.z + self._width = self._global_container_stack.getProperty("machine_width", "value") * self._scale_vector.x + self._depth = self._global_container_stack.getProperty("machine_depth", "value") * self._scale_vector.y self._shape = self._global_container_stack.getProperty("machine_shape", "value") def _updateDisallowedAreasAndRebuild(self): @@ -757,6 +769,14 @@ class BuildVolume(SceneNode): self._extra_z_clearance = self._calculateExtraZClearance(ExtruderManager.getInstance().getUsedExtruderStacks()) self.rebuild() + def _scaleAreas(self, result_areas: List[Polygon]) -> None: + if self._global_container_stack is None: + return + for i, polygon in enumerate(result_areas): + result_areas[i] = polygon.scale( + 100.0 / max(100.0, self._global_container_stack.getProperty("material_shrinkage_percentage_xy", "value")) + ) + def _updateDisallowedAreas(self) -> None: if not self._global_container_stack: return @@ -812,9 +832,11 @@ class BuildVolume(SceneNode): self._disallowed_areas = [] for extruder_id in result_areas: + self._scaleAreas(result_areas[extruder_id]) self._disallowed_areas.extend(result_areas[extruder_id]) self._disallowed_areas_no_brim = [] for extruder_id in result_areas_no_brim: + self._scaleAreas(result_areas_no_brim[extruder_id]) self._disallowed_areas_no_brim.extend(result_areas_no_brim[extruder_id]) def _computeDisallowedAreasPrinted(self, used_extruders): @@ -1200,4 +1222,5 @@ class BuildVolume(SceneNode): _distance_settings = ["infill_wipe_dist", "travel_avoid_distance", "support_offset", "support_enable", "travel_avoid_other_parts", "travel_avoid_supports", "wall_line_count", "wall_line_width_0", "wall_line_width_x"] _extruder_settings = ["support_enable", "support_bottom_enable", "support_roof_enable", "support_infill_extruder_nr", "support_extruder_nr_layer_0", "support_bottom_extruder_nr", "support_roof_extruder_nr", "brim_line_count", "adhesion_extruder_nr", "adhesion_type"] #Settings that can affect which extruders are used. _limit_to_extruder_settings = ["wall_extruder_nr", "wall_0_extruder_nr", "wall_x_extruder_nr", "top_bottom_extruder_nr", "infill_extruder_nr", "support_infill_extruder_nr", "support_extruder_nr_layer_0", "support_bottom_extruder_nr", "support_roof_extruder_nr", "adhesion_extruder_nr"] - _disallowed_area_settings = _skirt_settings + _prime_settings + _tower_settings + _ooze_shield_settings + _distance_settings + _extruder_settings + _material_size_settings = ["material_shrinkage_percentage", "material_shrinkage_percentage_xy", "material_shrinkage_percentage_z"] + _disallowed_area_settings = _skirt_settings + _prime_settings + _tower_settings + _ooze_shield_settings + _distance_settings + _extruder_settings + _material_size_settings diff --git a/cura/CuraApplication.py b/cura/CuraApplication.py index 633b56ae60..ebd1708bf5 100755 --- a/cura/CuraApplication.py +++ b/cura/CuraApplication.py @@ -129,7 +129,7 @@ class CuraApplication(QtApplication): # SettingVersion represents the set of settings available in the machine/extruder definitions. # You need to make sure that this version number needs to be increased if there is any non-backwards-compatible # changes of the settings. - SettingVersion = 18 + SettingVersion = 19 Created = False diff --git a/cura/Layer.py b/cura/Layer.py index 87aad3c949..af42488e2a 100644 --- a/cura/Layer.py +++ b/cura/Layer.py @@ -15,7 +15,6 @@ class Layer: self._height = 0.0 self._thickness = 0.0 self._polygons = [] # type: List[LayerPolygon] - self._vertex_count = 0 self._element_count = 0 @property @@ -30,10 +29,6 @@ class Layer: def polygons(self) -> List[LayerPolygon]: return self._polygons - @property - def vertexCount(self): - return self._vertex_count - @property def elementCount(self): return self._element_count @@ -48,40 +43,24 @@ class Layer: result = 0 for polygon in self._polygons: result += polygon.lineMeshVertexCount() + return result def lineMeshElementCount(self) -> int: result = 0 for polygon in self._polygons: result += polygon.lineMeshElementCount() - return result - def lineMeshCumulativeTypeChangeCount(self, path: int) -> int: - """ The number of line-type changes in this layer up until #path. - See also LayerPolygon::cumulativeTypeChangeCounts. - - :param path: The path-index up until which the cumulative changes are counted. - :return: The cumulative number of line-type changes up until this path. - """ - result = 0 - for polygon in self._polygons: - num_counts = len(polygon.cumulativeTypeChangeCounts) - if path < num_counts: - return result + polygon.cumulativeTypeChangeCounts[path] - path -= num_counts - result += polygon.cumulativeTypeChangeCounts[num_counts - 1] return result def build(self, vertex_offset, index_offset, vertices, colors, line_dimensions, feedrates, extruders, line_types, indices): result_vertex_offset = vertex_offset result_index_offset = index_offset - self._vertex_count = 0 self._element_count = 0 for polygon in self._polygons: polygon.build(result_vertex_offset, result_index_offset, vertices, colors, line_dimensions, feedrates, extruders, line_types, indices) result_vertex_offset += polygon.lineMeshVertexCount() result_index_offset += polygon.lineMeshElementCount() - self._vertex_count += polygon.vertexCount self._element_count += polygon.elementCount return result_vertex_offset, result_index_offset diff --git a/cura/LayerDataBuilder.py b/cura/LayerDataBuilder.py index 39eced5ac6..d8801c9e7b 100755 --- a/cura/LayerDataBuilder.py +++ b/cura/LayerDataBuilder.py @@ -63,7 +63,6 @@ class LayerDataBuilder(MeshBuilder): feedrates = numpy.empty((vertex_count), numpy.float32) extruders = numpy.empty((vertex_count), numpy.float32) line_types = numpy.empty((vertex_count), numpy.float32) - vertex_indices = numpy.arange(0, vertex_count, 1, dtype = numpy.float32) vertex_offset = 0 index_offset = 0 @@ -110,12 +109,6 @@ class LayerDataBuilder(MeshBuilder): "value": feedrates, "opengl_name": "a_feedrate", "opengl_type": "float" - }, - # Can't use glDrawElements to index (due to oversight in (Py)Qt), can't use gl_PrimitiveID (due to legacy support): - "vertex_indices": { - "value": vertex_indices, - "opengl_name": "a_vertex_index", - "opengl_type": "float" } } diff --git a/cura/LayerPolygon.py b/cura/LayerPolygon.py index 5eb8c96ec5..2c3b432b1d 100644 --- a/cura/LayerPolygon.py +++ b/cura/LayerPolygon.py @@ -55,14 +55,6 @@ class LayerPolygon: self._jump_mask = self.__jump_map[self._types] self._jump_count = numpy.sum(self._jump_mask) - self._cumulative_type_change_counts = numpy.zeros(len(self._types)) # See the comment on the 'cumulativeTypeChangeCounts' property below. - last_type = self.types[0] - current_type_count = 0 - for i in range(0, len(self._cumulative_type_change_counts)): - if last_type != self.types[i]: - current_type_count += 1 - last_type = self.types[i] - self._cumulative_type_change_counts[i] = current_type_count self._mesh_line_count = len(self._types) - self._jump_count self._vertex_count = self._mesh_line_count + numpy.sum(self._types[1:] == self._types[:-1]) @@ -187,10 +179,6 @@ class LayerPolygon: def data(self): return self._data - @property - def vertexCount(self): - return self._vertex_end - self._vertex_begin - @property def elementCount(self): return (self._index_end - self._index_begin) * 2 # The range of vertices multiplied by 2 since each vertex is used twice @@ -219,17 +207,6 @@ class LayerPolygon: def jumpCount(self): return self._jump_count - @property - def cumulativeTypeChangeCounts(self): - """ This polygon class stores with a vertex the type of the line to the next vertex. However, in other contexts, - other ways of representing this might be more suited to the task (for example, when a vertex can possibly only - have _one_ type, it's unavoidable to duplicate vertices when the type is changed). In such situations it's might - be useful to know how many times the type has changed, in order to keep the various vertex-indices aligned. - - :return: The total times the line-type changes from one type to another within this LayerPolygon. - """ - return self._cumulative_type_change_counts - def getNormals(self) -> numpy.ndarray: """Calculate normals for the entire polygon using numpy. diff --git a/cura/Machines/Models/GlobalStacksModel.py b/cura/Machines/Models/GlobalStacksModel.py index 586bd11819..f27a1ec00b 100644 --- a/cura/Machines/Models/GlobalStacksModel.py +++ b/cura/Machines/Models/GlobalStacksModel.py @@ -2,7 +2,7 @@ # Cura is released under the terms of the LGPLv3 or higher. from PyQt5.QtCore import Qt, QTimer, pyqtProperty, pyqtSignal -from typing import Optional +from typing import List, Optional from UM.Qt.ListModel import ListModel from UM.i18n import i18nCatalog @@ -11,6 +11,7 @@ from UM.Util import parseBool from cura.PrinterOutput.PrinterOutputDevice import ConnectionType from cura.Settings.CuraContainerRegistry import CuraContainerRegistry from cura.Settings.GlobalStack import GlobalStack +from cura.UltimakerCloud.UltimakerCloudConstants import META_CAPABILITIES # To filter on the printer's capabilities. class GlobalStacksModel(ListModel): @@ -42,6 +43,7 @@ class GlobalStacksModel(ListModel): self._filter_connection_type = None # type: Optional[ConnectionType] self._filter_online_only = False + self._filter_capabilities: List[str] = [] # Required capabilities that all listed printers must have. # Listen to changes CuraContainerRegistry.getInstance().containerAdded.connect(self._onContainerChanged) @@ -50,8 +52,13 @@ class GlobalStacksModel(ListModel): self._updateDelayed() filterConnectionTypeChanged = pyqtSignal() + filterCapabilitiesChanged = pyqtSignal() + filterOnlineOnlyChanged = pyqtSignal() + def setFilterConnectionType(self, new_filter: Optional[ConnectionType]) -> None: - self._filter_connection_type = new_filter + if self._filter_connection_type != new_filter: + self._filter_connection_type = new_filter + self.filterConnectionTypeChanged.emit() @pyqtProperty(int, fset = setFilterConnectionType, notify = filterConnectionTypeChanged) def filterConnectionType(self) -> int: @@ -65,9 +72,10 @@ class GlobalStacksModel(ListModel): return -1 return self._filter_connection_type.value - filterOnlineOnlyChanged = pyqtSignal() def setFilterOnlineOnly(self, new_filter: bool) -> None: - self._filter_online_only = new_filter + if self._filter_online_only != new_filter: + self._filter_online_only = new_filter + self.filterOnlineOnlyChanged.emit() @pyqtProperty(bool, fset = setFilterOnlineOnly, notify = filterOnlineOnlyChanged) def filterOnlineOnly(self) -> bool: @@ -76,6 +84,20 @@ class GlobalStacksModel(ListModel): """ return self._filter_online_only + def setFilterCapabilities(self, new_filter: List[str]) -> None: + if self._filter_capabilities != new_filter: + self._filter_capabilities = new_filter + self.filterCapabilitiesChanged.emit() + + @pyqtProperty("QStringList", fset = setFilterCapabilities, notify = filterCapabilitiesChanged) + def filterCapabilities(self) -> List[str]: + """ + Capabilities to require on the list of printers. + + Only printers that have all of these capabilities will be shown in this model. + """ + return self._filter_capabilities + def _onContainerChanged(self, container) -> None: """Handler for container added/removed events from registry""" @@ -108,6 +130,10 @@ class GlobalStacksModel(ListModel): if self._filter_online_only and not is_online: continue + capabilities = set(container_stack.getMetaDataEntry(META_CAPABILITIES, "").split(",")) + if set(self._filter_capabilities) - capabilities: # Not all required capabilities are met. + continue + device_name = container_stack.getMetaDataEntry("group_name", container_stack.getName()) section_name = "Connected printers" if has_remote_connection else "Preset printers" section_name = self._catalog.i18nc("@info:title", section_name) diff --git a/cura/Machines/Models/IntentCategoryModel.py b/cura/Machines/Models/IntentCategoryModel.py index d4f28a78e9..aeb1f878ca 100644 --- a/cura/Machines/Models/IntentCategoryModel.py +++ b/cura/Machines/Models/IntentCategoryModel.py @@ -106,11 +106,15 @@ class IntentCategoryModel(ListModel): for category in available_categories: qualities = IntentModel() qualities.setIntentCategory(category) + try: + weight = list(IntentCategoryModel._get_translations().keys()).index(category) + except ValueError: + weight = 99 result.append({ "name": IntentCategoryModel.translation(category, "name", category), "description": IntentCategoryModel.translation(category, "description", None), "intent_category": category, - "weight": list(IntentCategoryModel._get_translations().keys()).index(category), + "weight": weight, "qualities": qualities }) result.sort(key = lambda k: k["weight"]) diff --git a/cura/Machines/Models/QualityManagementModel.py b/cura/Machines/Models/QualityManagementModel.py index df12b16c15..63c1ead29d 100644 --- a/cura/Machines/Models/QualityManagementModel.py +++ b/cura/Machines/Models/QualityManagementModel.py @@ -361,8 +361,15 @@ class QualityManagementModel(ListModel): "section_name": catalog.i18nc("@label", intent_translations.get(intent_category, {}).get("name", catalog.i18nc("@label", "Unknown"))), }) # Sort by quality_type for each intent category + intent_translations_list = list(intent_translations) - result = sorted(result, key = lambda x: (list(intent_translations).index(x["intent_category"]), x["quality_type"])) + def getIntentWeight(intent_category): + try: + return intent_translations_list.index(intent_category) + except ValueError: + return 99 + + result = sorted(result, key = lambda x: (getIntentWeight(x["intent_category"]), x["quality_type"])) item_list += result # Create quality_changes group items diff --git a/cura/OAuth2/AuthorizationHelpers.py b/cura/OAuth2/AuthorizationHelpers.py index d6f4980fe4..77e3c66c11 100644 --- a/cura/OAuth2/AuthorizationHelpers.py +++ b/cura/OAuth2/AuthorizationHelpers.py @@ -1,18 +1,19 @@ # Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. -from datetime import datetime -import json -import secrets -from hashlib import sha512 from base64 import b64encode -from typing import Optional -import requests - -from UM.i18n import i18nCatalog -from UM.Logger import Logger +from datetime import datetime +from hashlib import sha512 +from PyQt5.QtNetwork import QNetworkReply +import secrets +from typing import Callable, Optional +import urllib.parse from cura.OAuth2.Models import AuthenticationResponse, UserProfile, OAuth2Settings +from UM.i18n import i18nCatalog +from UM.Logger import Logger +from UM.TaskManagement.HttpRequestManager import HttpRequestManager # To download log-in tokens. + catalog = i18nCatalog("cura") TOKEN_TIMESTAMP_FORMAT = "%Y-%m-%d %H:%M:%S" @@ -30,14 +31,13 @@ class AuthorizationHelpers: return self._settings - def getAccessTokenUsingAuthorizationCode(self, authorization_code: str, verification_code: str) -> "AuthenticationResponse": - """Request the access token from the authorization server. - + def getAccessTokenUsingAuthorizationCode(self, authorization_code: str, verification_code: str, callback: Callable[[AuthenticationResponse], None]) -> None: + """ + Request the access token from the authorization server. :param authorization_code: The authorization code from the 1st step. :param verification_code: The verification code needed for the PKCE extension. - :return: An AuthenticationResponse object. + :param callback: Once the token has been obtained, this function will be called with the response. """ - data = { "client_id": self._settings.CLIENT_ID if self._settings.CLIENT_ID is not None else "", "redirect_uri": self._settings.CALLBACK_URL if self._settings.CALLBACK_URL is not None else "", @@ -46,18 +46,21 @@ class AuthorizationHelpers: "code_verifier": verification_code, "scope": self._settings.CLIENT_SCOPES if self._settings.CLIENT_SCOPES is not None else "", } - try: - return self.parseTokenResponse(requests.post(self._token_url, data = data)) # type: ignore - except requests.exceptions.ConnectionError as connection_error: - return AuthenticationResponse(success = False, err_message = f"Unable to connect to remote server: {connection_error}") + headers = {"Content-type": "application/x-www-form-urlencoded"} + HttpRequestManager.getInstance().post( + self._token_url, + data = urllib.parse.urlencode(data).encode("UTF-8"), + headers_dict = headers, + callback = lambda response: self.parseTokenResponse(response, callback), + error_callback = lambda response, _: self.parseTokenResponse(response, callback) + ) - def getAccessTokenUsingRefreshToken(self, refresh_token: str) -> "AuthenticationResponse": - """Request the access token from the authorization server using a refresh token. - - :param refresh_token: - :return: An AuthenticationResponse object. + def getAccessTokenUsingRefreshToken(self, refresh_token: str, callback: Callable[[AuthenticationResponse], None]) -> None: + """ + Request the access token from the authorization server using a refresh token. + :param refresh_token: A long-lived token used to refresh the authentication token. + :param callback: Once the token has been obtained, this function will be called with the response. """ - Logger.log("d", "Refreshing the access token for [%s]", self._settings.OAUTH_SERVER_URL) data = { "client_id": self._settings.CLIENT_ID if self._settings.CLIENT_ID is not None else "", @@ -66,75 +69,99 @@ class AuthorizationHelpers: "refresh_token": refresh_token, "scope": self._settings.CLIENT_SCOPES if self._settings.CLIENT_SCOPES is not None else "", } - try: - return self.parseTokenResponse(requests.post(self._token_url, data = data)) # type: ignore - except requests.exceptions.ConnectionError: - return AuthenticationResponse(success = False, err_message = "Unable to connect to remote server") - except OSError as e: - return AuthenticationResponse(success = False, err_message = "Operating system is unable to set up a secure connection: {err}".format(err = str(e))) + headers = {"Content-type": "application/x-www-form-urlencoded"} + HttpRequestManager.getInstance().post( + self._token_url, + data = urllib.parse.urlencode(data).encode("UTF-8"), + headers_dict = headers, + callback = lambda response: self.parseTokenResponse(response, callback), + error_callback = lambda response, _: self.parseTokenResponse(response, callback) + ) - @staticmethod - def parseTokenResponse(token_response: requests.models.Response) -> "AuthenticationResponse": + def parseTokenResponse(self, token_response: QNetworkReply, callback: Callable[[AuthenticationResponse], None]) -> None: """Parse the token response from the authorization server into an AuthenticationResponse object. :param token_response: The JSON string data response from the authorization server. :return: An AuthenticationResponse object. """ - - token_data = None - - try: - token_data = json.loads(token_response.text) - except ValueError: - Logger.log("w", "Could not parse token response data: %s", token_response.text) - + token_data = HttpRequestManager.readJSON(token_response) if not token_data: - return AuthenticationResponse(success = False, err_message = catalog.i18nc("@message", "Could not read response.")) + callback(AuthenticationResponse(success = False, err_message = catalog.i18nc("@message", "Could not read response."))) + return - if token_response.status_code not in (200, 201): - return AuthenticationResponse(success = False, err_message = token_data["error_description"]) + if token_response.error() != QNetworkReply.NetworkError.NoError: + callback(AuthenticationResponse(success = False, err_message = token_data["error_description"])) + return - return AuthenticationResponse(success=True, - token_type=token_data["token_type"], - access_token=token_data["access_token"], - refresh_token=token_data["refresh_token"], - expires_in=token_data["expires_in"], - scope=token_data["scope"], - received_at=datetime.now().strftime(TOKEN_TIMESTAMP_FORMAT)) + callback(AuthenticationResponse(success = True, + token_type = token_data["token_type"], + access_token = token_data["access_token"], + refresh_token = token_data["refresh_token"], + expires_in = token_data["expires_in"], + scope = token_data["scope"], + received_at = datetime.now().strftime(TOKEN_TIMESTAMP_FORMAT))) + return - def parseJWT(self, access_token: str) -> Optional["UserProfile"]: + def checkToken(self, access_token: str, success_callback: Optional[Callable[[UserProfile], None]] = None, failed_callback: Optional[Callable[[], None]] = None) -> None: """Calls the authentication API endpoint to get the token data. + The API is called asynchronously. When a response is given, the callback is called with the user's profile. :param access_token: The encoded JWT token. - :return: Dict containing some profile data. + :param success_callback: When a response is given, this function will be called with a user profile. If None, + there will not be a callback. + :param failed_callback: When the request failed or the response didn't parse, this function will be called. """ - - try: - check_token_url = "{}/check-token".format(self._settings.OAUTH_SERVER_URL) - Logger.log("d", "Checking the access token for [%s]", check_token_url) - token_request = requests.get(check_token_url, headers = { - "Authorization": "Bearer {}".format(access_token) - }) - except (requests.exceptions.ConnectionError, requests.exceptions.Timeout): - # Connection was suddenly dropped. Nothing we can do about that. - Logger.logException("w", "Something failed while attempting to parse the JWT token") - return None - if token_request.status_code not in (200, 201): - Logger.log("w", "Could not retrieve token data from auth server: %s", token_request.text) - return None - user_data = token_request.json().get("data") - if not user_data or not isinstance(user_data, dict): - Logger.log("w", "Could not parse user data from token: %s", user_data) - return None - - return UserProfile( - user_id = user_data["user_id"], - username = user_data["username"], - profile_image_url = user_data.get("profile_image_url", ""), - organization_id = user_data.get("organization", {}).get("organization_id"), - subscriptions = user_data.get("subscriptions", []) + check_token_url = "{}/check-token".format(self._settings.OAUTH_SERVER_URL) + Logger.log("d", "Checking the access token for [%s]", check_token_url) + headers = { + "Authorization": f"Bearer {access_token}" + } + HttpRequestManager.getInstance().get( + check_token_url, + headers_dict = headers, + callback = lambda reply: self._parseUserProfile(reply, success_callback, failed_callback), + error_callback = lambda _, _2: failed_callback() if failed_callback is not None else None ) + def _parseUserProfile(self, reply: QNetworkReply, success_callback: Optional[Callable[[UserProfile], None]], failed_callback: Optional[Callable[[], None]] = None) -> None: + """ + Parses the user profile from a reply to /check-token. + + If the response is valid, the callback will be called to return the user profile to the caller. + :param reply: A network reply to a request to the /check-token URL. + :param success_callback: A function to call once a user profile was successfully obtained. + :param failed_callback: A function to call if parsing the profile failed. + """ + if reply.error() != QNetworkReply.NetworkError.NoError: + Logger.warning(f"Could not access account information. QNetworkError {reply.errorString()}") + if failed_callback is not None: + failed_callback() + return + + profile_data = HttpRequestManager.getInstance().readJSON(reply) + if profile_data is None or "data" not in profile_data: + Logger.warning("Could not parse user data from token.") + if failed_callback is not None: + failed_callback() + return + profile_data = profile_data["data"] + + required_fields = {"user_id", "username"} + if "user_id" not in profile_data or "username" not in profile_data: + Logger.warning(f"User data missing required field(s): {required_fields - set(profile_data.keys())}") + if failed_callback is not None: + failed_callback() + return + + if success_callback is not None: + success_callback(UserProfile( + user_id = profile_data["user_id"], + username = profile_data["username"], + profile_image_url = profile_data.get("profile_image_url", ""), + organization_id = profile_data.get("organization", {}).get("organization_id"), + subscriptions = profile_data.get("subscriptions", []) + )) + @staticmethod def generateVerificationCode(code_length: int = 32) -> str: """Generate a verification code of arbitrary length. diff --git a/cura/OAuth2/AuthorizationRequestHandler.py b/cura/OAuth2/AuthorizationRequestHandler.py index c7ce9b6faf..f303980e3c 100644 --- a/cura/OAuth2/AuthorizationRequestHandler.py +++ b/cura/OAuth2/AuthorizationRequestHandler.py @@ -2,6 +2,7 @@ # Cura is released under the terms of the LGPLv3 or higher. from http.server import BaseHTTPRequestHandler +from threading import Lock # To turn an asynchronous call synchronous. from typing import Optional, Callable, Tuple, Dict, Any, List, TYPE_CHECKING from urllib.parse import parse_qs, urlparse @@ -14,6 +15,7 @@ if TYPE_CHECKING: catalog = i18nCatalog("cura") + class AuthorizationRequestHandler(BaseHTTPRequestHandler): """This handler handles all HTTP requests on the local web server. @@ -24,11 +26,11 @@ class AuthorizationRequestHandler(BaseHTTPRequestHandler): super().__init__(request, client_address, server) # These values will be injected by the HTTPServer that this handler belongs to. - self.authorization_helpers = None # type: Optional[AuthorizationHelpers] - self.authorization_callback = None # type: Optional[Callable[[AuthenticationResponse], None]] - self.verification_code = None # type: Optional[str] + self.authorization_helpers: Optional[AuthorizationHelpers] = None + self.authorization_callback: Optional[Callable[[AuthenticationResponse], None]] = None + self.verification_code: Optional[str] = None - self.state = None # type: Optional[str] + self.state: Optional[str] = None # CURA-6609: Some browser seems to issue a HEAD instead of GET request as the callback. def do_HEAD(self) -> None: @@ -70,13 +72,23 @@ class AuthorizationRequestHandler(BaseHTTPRequestHandler): if state != self.state: token_response = AuthenticationResponse( success = False, - err_message=catalog.i18nc("@message", - "The provided state is not correct.") + err_message = catalog.i18nc("@message", "The provided state is not correct.") ) elif code and self.authorization_helpers is not None and self.verification_code is not None: + token_response = AuthenticationResponse( + success = False, + err_message = catalog.i18nc("@message", "Timeout when authenticating with the account server.") + ) # If the code was returned we get the access token. - token_response = self.authorization_helpers.getAccessTokenUsingAuthorizationCode( - code, self.verification_code) + lock = Lock() + lock.acquire() + + def callback(response: AuthenticationResponse) -> None: + nonlocal token_response + token_response = response + lock.release() + self.authorization_helpers.getAccessTokenUsingAuthorizationCode(code, self.verification_code, callback) + lock.acquire(timeout = 60) # Block thread until request is completed (which releases the lock). If not acquired, the timeout message stays. elif self._queryGet(query, "error_code") == "user_denied": # Otherwise we show an error message (probably the user clicked "Deny" in the auth dialog). diff --git a/cura/OAuth2/AuthorizationService.py b/cura/OAuth2/AuthorizationService.py index 291845fd78..0343af68a8 100644 --- a/cura/OAuth2/AuthorizationService.py +++ b/cura/OAuth2/AuthorizationService.py @@ -3,10 +3,9 @@ import json from datetime import datetime, timedelta -from typing import Optional, TYPE_CHECKING, Dict +from typing import Callable, Dict, Optional, TYPE_CHECKING, Union from urllib.parse import urlencode, quote_plus -import requests.exceptions from PyQt5.QtCore import QUrl from PyQt5.QtGui import QDesktopServices @@ -16,7 +15,7 @@ from UM.Signal import Signal from UM.i18n import i18nCatalog from cura.OAuth2.AuthorizationHelpers import AuthorizationHelpers, TOKEN_TIMESTAMP_FORMAT from cura.OAuth2.LocalAuthorizationServer import LocalAuthorizationServer -from cura.OAuth2.Models import AuthenticationResponse +from cura.OAuth2.Models import AuthenticationResponse, BaseModel i18n_catalog = i18nCatalog("cura") @@ -26,6 +25,7 @@ if TYPE_CHECKING: MYCLOUD_LOGOFF_URL = "https://account.ultimaker.com/logoff?utm_source=cura&utm_medium=software&utm_campaign=change-account-before-adding-printers" + class AuthorizationService: """The authorization service is responsible for handling the login flow, storing user credentials and providing account information. @@ -43,12 +43,13 @@ class AuthorizationService: self._settings = settings self._auth_helpers = AuthorizationHelpers(settings) self._auth_url = "{}/authorize".format(self._settings.OAUTH_SERVER_URL) - self._auth_data = None # type: Optional[AuthenticationResponse] - self._user_profile = None # type: Optional["UserProfile"] + self._auth_data: Optional[AuthenticationResponse] = None + self._user_profile: Optional["UserProfile"] = None self._preferences = preferences self._server = LocalAuthorizationServer(self._auth_helpers, self._onAuthStateChanged, daemon=True) + self._currently_refreshing_token = False # Whether we are currently in the process of refreshing auth. Don't make new requests while busy. - self._unable_to_get_data_message = None # type: Optional[Message] + self._unable_to_get_data_message: Optional[Message] = None self.onAuthStateChanged.connect(self._authChanged) @@ -62,69 +63,80 @@ class AuthorizationService: if self._preferences: self._preferences.addPreference(self._settings.AUTH_DATA_PREFERENCE_KEY, "{}") - def getUserProfile(self) -> Optional["UserProfile"]: - """Get the user profile as obtained from the JWT (JSON Web Token). + def getUserProfile(self, callback: Optional[Callable[[Optional["UserProfile"]], None]] = None) -> None: + """ + Get the user profile as obtained from the JWT (JSON Web Token). - If the JWT is not yet parsed, calling this will take care of that. - - :return: UserProfile if a user is logged in, None otherwise. + If the JWT is not yet checked and parsed, calling this will take care of that. + :param callback: Once the user profile is obtained, this function will be called with the given user profile. If + the profile fails to be obtained, this function will be called with None. See also: :py:method:`cura.OAuth2.AuthorizationService.AuthorizationService._parseJWT` """ + if self._user_profile: + # We already obtained the profile. No need to make another request for it. + if callback is not None: + callback(self._user_profile) + return - if not self._user_profile: - # If no user profile was stored locally, we try to get it from JWT. - try: - self._user_profile = self._parseJWT() - except requests.exceptions.ConnectionError: - # Unable to get connection, can't login. - Logger.logException("w", "Unable to validate user data with the remote server.") - return None + # If no user profile was stored locally, we try to get it from JWT. + def store_profile(profile: Optional["UserProfile"]) -> None: + if profile is not None: + self._user_profile = profile + if callback is not None: + callback(profile) + elif self._auth_data: + # If there is no user profile from the JWT, we have to log in again. + Logger.warning("The user profile could not be loaded. The user must log in again!") + self.deleteAuthData() + if callback is not None: + callback(None) + else: + if callback is not None: + callback(None) - if not self._user_profile and self._auth_data: - # If there is still no user profile from the JWT, we have to log in again. - Logger.log("w", "The user profile could not be loaded. The user must log in again!") - self.deleteAuthData() - return None + self._parseJWT(callback = store_profile) - return self._user_profile - - def _parseJWT(self) -> Optional["UserProfile"]: - """Tries to parse the JWT (JSON Web Token) data, which it does if all the needed data is there. - - :return: UserProfile if it was able to parse, None otherwise. + def _parseJWT(self, callback: Callable[[Optional["UserProfile"]], None]) -> None: + """ + Tries to parse the JWT (JSON Web Token) data, which it does if all the needed data is there. + :param callback: A function to call asynchronously once the user profile has been obtained. It will be called + with `None` if it failed to obtain a user profile. """ if not self._auth_data or self._auth_data.access_token is None: # If no auth data exists, we should always log in again. - Logger.log("d", "There was no auth data or access token") - return None + Logger.debug("There was no auth data or access token") + callback(None) + return - try: - user_data = self._auth_helpers.parseJWT(self._auth_data.access_token) - except AttributeError: - # THis might seem a bit double, but we get crash reports about this (CURA-2N2 in sentry) - Logger.log("d", "There was no auth data or access token") - return None + # When we checked the token we may get a user profile. This callback checks if that is a valid one and tries to refresh the token if it's not. + def check_user_profile(user_profile: Optional["UserProfile"]) -> None: + if user_profile: + # If the profile was found, we call it back immediately. + callback(user_profile) + return + # The JWT was expired or invalid and we should request a new one. + if self._auth_data is None or self._auth_data.refresh_token is None: + Logger.warning("There was no refresh token in the auth data.") + callback(None) + return - if user_data: - # If the profile was found, we return it immediately. - return user_data - # The JWT was expired or invalid and we should request a new one. - if self._auth_data.refresh_token is None: - Logger.log("w", "There was no refresh token in the auth data.") - return None - self._auth_data = self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token) - if not self._auth_data or self._auth_data.access_token is None: - Logger.log("w", "Unable to use the refresh token to get a new access token.") - # The token could not be refreshed using the refresh token. We should login again. - return None - # Ensure it gets stored as otherwise we only have it in memory. The stored refresh token has been deleted - # from the server already. Do not store the auth_data if we could not get new auth_data (eg due to a - # network error), since this would cause an infinite loop trying to get new auth-data - if self._auth_data.success: - self._storeAuthData(self._auth_data) - return self._auth_helpers.parseJWT(self._auth_data.access_token) + def process_auth_data(auth_data: AuthenticationResponse) -> None: + if auth_data.access_token is None: + Logger.warning("Unable to use the refresh token to get a new access token.") + callback(None) + return + # Ensure it gets stored as otherwise we only have it in memory. The stored refresh token has been + # deleted from the server already. Do not store the auth_data if we could not get new auth_data (e.g. + # due to a network error), since this would cause an infinite loop trying to get new auth-data. + if auth_data.success: + self._storeAuthData(auth_data) + self._auth_helpers.checkToken(auth_data.access_token, callback, lambda: callback(None)) + + self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token, process_auth_data) + + self._auth_helpers.checkToken(self._auth_data.access_token, check_user_profile, lambda: check_user_profile(None)) def getAccessToken(self) -> Optional[str]: """Get the access token as provided by the response data.""" @@ -149,13 +161,20 @@ class AuthorizationService: if self._auth_data is None or self._auth_data.refresh_token is None: Logger.log("w", "Unable to refresh access token, since there is no refresh token.") return - response = self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token) - if response.success: - self._storeAuthData(response) - self.onAuthStateChanged.emit(logged_in = True) - else: - Logger.log("w", "Failed to get a new access token from the server.") - self.onAuthStateChanged.emit(logged_in = False) + + def process_auth_data(response: AuthenticationResponse) -> None: + if response.success: + self._storeAuthData(response) + self.onAuthStateChanged.emit(logged_in = True) + else: + Logger.warning("Failed to get a new access token from the server.") + self.onAuthStateChanged.emit(logged_in = False) + + if self._currently_refreshing_token: + Logger.debug("Was already busy refreshing token. Do not start a new request.") + return + self._currently_refreshing_token = True + self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token, process_auth_data) def deleteAuthData(self) -> None: """Delete the authentication data that we have stored locally (eg; logout)""" @@ -244,21 +263,23 @@ class AuthorizationService: preferences_data = json.loads(self._preferences.getValue(self._settings.AUTH_DATA_PREFERENCE_KEY)) if preferences_data: self._auth_data = AuthenticationResponse(**preferences_data) - # Also check if we can actually get the user profile information. - user_profile = self.getUserProfile() - if user_profile is not None: - self.onAuthStateChanged.emit(logged_in = True) - Logger.log("d", "Auth data was successfully loaded") - else: - if self._unable_to_get_data_message is not None: - self._unable_to_get_data_message.hide() - self._unable_to_get_data_message = Message(i18n_catalog.i18nc("@info", - "Unable to reach the Ultimaker account server."), - title = i18n_catalog.i18nc("@info:title", "Warning"), - message_type = Message.MessageType.ERROR) - Logger.log("w", "Unable to load auth data from preferences") - self._unable_to_get_data_message.show() + # Also check if we can actually get the user profile information. + def callback(profile: Optional["UserProfile"]) -> None: + if profile is not None: + self.onAuthStateChanged.emit(logged_in = True) + Logger.debug("Auth data was successfully loaded") + else: + if self._unable_to_get_data_message is not None: + self._unable_to_get_data_message.show() + else: + self._unable_to_get_data_message = Message(i18n_catalog.i18nc("@info", + "Unable to reach the Ultimaker account server."), + title = i18n_catalog.i18nc("@info:title", "Log-in failed"), + message_type = Message.MessageType.ERROR) + Logger.warning("Unable to get user profile using auth data from preferences.") + self._unable_to_get_data_message.show() + self.getUserProfile(callback) except (ValueError, TypeError): Logger.logException("w", "Could not load auth data from preferences") @@ -271,8 +292,9 @@ class AuthorizationService: return self._auth_data = auth_data + self._currently_refreshing_token = False if auth_data: - self._user_profile = self.getUserProfile() + self.getUserProfile() self._preferences.setValue(self._settings.AUTH_DATA_PREFERENCE_KEY, json.dumps(auth_data.dump())) else: Logger.log("d", "Clearing the user profile") diff --git a/cura/OAuth2/KeyringAttribute.py b/cura/OAuth2/KeyringAttribute.py index a8c60de994..58b45a67ef 100644 --- a/cura/OAuth2/KeyringAttribute.py +++ b/cura/OAuth2/KeyringAttribute.py @@ -2,9 +2,10 @@ # Cura is released under the terms of the LGPLv3 or higher. from typing import Type, TYPE_CHECKING, Optional, List +from io import BlockingIOError import keyring from keyring.backend import KeyringBackend -from keyring.errors import NoKeyringError, PasswordSetError, KeyringLocked +from keyring.errors import NoKeyringError, PasswordSetError, KeyringLocked, KeyringError from UM.Logger import Logger @@ -44,7 +45,7 @@ class KeyringAttribute: self._store_secure = False Logger.logException("w", "No keyring backend present") return getattr(instance, self._name) - except KeyringLocked: + except (KeyringLocked, BlockingIOError): self._store_secure = False Logger.log("i", "Access to the keyring was denied.") return getattr(instance, self._name) @@ -52,6 +53,10 @@ class KeyringAttribute: self._store_secure = False Logger.log("w", "The password retrieved from the keyring cannot be used because it contains characters that cannot be decoded.") return getattr(instance, self._name) + except KeyringError: + self._store_secure = False + Logger.logException("w", "Unknown keyring error.") + return getattr(instance, self._name) else: return getattr(instance, self._name) diff --git a/cura/PickingPass.py b/cura/PickingPass.py index 54e886fe62..4d6ef671df 100644 --- a/cura/PickingPass.py +++ b/cura/PickingPass.py @@ -72,8 +72,8 @@ class PickingPass(RenderPass): window_size = self._renderer.getWindowSize() - px = (0.5 + x / 2.0) * window_size[0] - py = (0.5 + y / 2.0) * window_size[1] + px = int((0.5 + x / 2.0) * window_size[0]) + py = int((0.5 + y / 2.0) * window_size[1]) if px < 0 or px > (output.width() - 1) or py < 0 or py > (output.height() - 1): return -1 diff --git a/cura/PrinterOutput/Models/PrintJobOutputModel.py b/cura/PrinterOutput/Models/PrintJobOutputModel.py index 256999b96f..f7404f71ed 100644 --- a/cura/PrinterOutput/Models/PrintJobOutputModel.py +++ b/cura/PrinterOutput/Models/PrintJobOutputModel.py @@ -42,7 +42,7 @@ class PrintJobOutputModel(QObject): self._preview_image = None # type: Optional[QImage] @pyqtProperty("QStringList", notify=compatibleMachineFamiliesChanged) - def compatibleMachineFamilies(self): + def compatibleMachineFamilies(self) -> List[str]: # Hack; Some versions of cluster will return a family more than once... return list(set(self._compatible_machine_families)) @@ -77,11 +77,11 @@ class PrintJobOutputModel(QObject): self._configuration = configuration self.configurationChanged.emit() - @pyqtProperty(str, notify=ownerChanged) - def owner(self): + @pyqtProperty(str, notify = ownerChanged) + def owner(self) -> str: return self._owner - def updateOwner(self, owner): + def updateOwner(self, owner: str) -> None: if self._owner != owner: self._owner = owner self.ownerChanged.emit() @@ -132,7 +132,7 @@ class PrintJobOutputModel(QObject): @pyqtProperty(float, notify = timeElapsedChanged) def progress(self) -> float: - result = float(self.timeElapsed) / max(self.timeTotal, 1.0) # Prevent a division by zero exception. + result = float(self.timeElapsed) / max(self.timeTotal, 1.0) # Prevent a division by zero exception. return min(result, 1.0) # Never get a progress past 1.0 @pyqtProperty(str, notify=stateChanged) @@ -151,12 +151,12 @@ class PrintJobOutputModel(QObject): return False return True - def updateTimeTotal(self, new_time_total): + def updateTimeTotal(self, new_time_total: int) -> None: if self._time_total != new_time_total: self._time_total = new_time_total self.timeTotalChanged.emit() - def updateTimeElapsed(self, new_time_elapsed): + def updateTimeElapsed(self, new_time_elapsed: int) -> None: if self._time_elapsed != new_time_elapsed: self._time_elapsed = new_time_elapsed self.timeElapsedChanged.emit() diff --git a/cura/PrinterOutput/UploadMaterialsJob.py b/cura/PrinterOutput/UploadMaterialsJob.py index 166b692ea5..7a08a198c1 100644 --- a/cura/PrinterOutput/UploadMaterialsJob.py +++ b/cura/PrinterOutput/UploadMaterialsJob.py @@ -83,6 +83,14 @@ class UploadMaterialsJob(Job): host_guid = "*", # Required metadata field. Otherwise we get a KeyError. um_cloud_cluster_id = "*" # Required metadata field. Otherwise we get a KeyError. ) + + # Filter out any printer not capable of the 'import_material' capability. Needs FW 7.0.1-RC at the least! + self._printer_metadata = [ printer_data for printer_data in self._printer_metadata if ( + UltimakerCloudConstants.META_CAPABILITIES in printer_data and + "import_material" in printer_data[UltimakerCloudConstants.META_CAPABILITIES] + ) + ] + for printer in self._printer_metadata: self._printer_sync_status[printer["host_guid"]] = self.PrinterStatus.UPLOADING.value diff --git a/cura/Settings/ExtruderManager.py b/cura/Settings/ExtruderManager.py index 1e9199d525..81d3f733b4 100755 --- a/cura/Settings/ExtruderManager.py +++ b/cura/Settings/ExtruderManager.py @@ -12,6 +12,7 @@ from UM.Scene.SceneNode import SceneNode from UM.Scene.Selection import Selection from UM.Scene.Iterator.BreadthFirstIterator import BreadthFirstIterator from UM.Settings.ContainerRegistry import ContainerRegistry # Finding containers by ID. +from cura.Machines.ContainerTree import ContainerTree from typing import Any, cast, Dict, List, Optional, TYPE_CHECKING, Union @@ -403,6 +404,32 @@ class ExtruderManager(QObject): raise IndexError(msg) extruder_stack_0.definition = extruder_definition + @pyqtSlot("QVariant", result = bool) + def getExtruderHasQualityForMaterial(self, extruder_stack: "ExtruderStack") -> bool: + """Checks if quality nodes exist for the variant/material combination.""" + application = cura.CuraApplication.CuraApplication.getInstance() + global_stack = application.getGlobalContainerStack() + if not global_stack or not extruder_stack: + return False + + if not global_stack.getMetaDataEntry("has_materials"): + return True + + machine_node = ContainerTree.getInstance().machines[global_stack.definition.getId()] + + active_variant_name = extruder_stack.variant.getMetaDataEntry("name") + if active_variant_name not in machine_node.variants: + Logger.log("w", "Could not find the variant %s", active_variant_name) + return True + active_variant_node = machine_node.variants[active_variant_name] + active_material_node = active_variant_node.materials[extruder_stack.material.getMetaDataEntry("base_file")] + + active_material_node_qualities = active_material_node.qualities + if not active_material_node_qualities: + return False + return list(active_material_node_qualities.keys())[0] != "empty_quality" + + @pyqtSlot(str, result="QVariant") def getInstanceExtruderValues(self, key: str) -> List: """Get all extruder values for a certain setting. diff --git a/cura/Settings/MachineManager.py b/cura/Settings/MachineManager.py index 6d6c78cb1b..648b1e9cae 100755 --- a/cura/Settings/MachineManager.py +++ b/cura/Settings/MachineManager.py @@ -1535,7 +1535,7 @@ class MachineManager(QObject): machine_node = ContainerTree.getInstance().machines.get(machine_definition_id) variant_node = machine_node.variants.get(variant_name) if variant_node is None: - Logger.error("There is no variant with the name {variant_name}.") + Logger.error(f"There is no variant with the name {variant_name}.") return self.setVariant(position, variant_node) diff --git a/cura/Snapshot.py b/cura/Snapshot.py index 08dd4d1030..a7b813610f 100644 --- a/cura/Snapshot.py +++ b/cura/Snapshot.py @@ -3,6 +3,7 @@ import numpy from PyQt5 import QtCore +from PyQt5.QtCore import QCoreApplication from PyQt5.QtGui import QImage from cura.PreviewPass import PreviewPass @@ -46,6 +47,7 @@ class Snapshot: render_width, render_height = (width, height) if active_camera is None else active_camera.getWindowSize() render_width = int(render_width) render_height = int(render_height) + QCoreApplication.processEvents() # This ensures that the opengl context is correctly available preview_pass = PreviewPass(render_width, render_height) root = scene.getRoot() diff --git a/cura/UI/WelcomePagesModel.py b/cura/UI/WelcomePagesModel.py index 3c2d0503ab..890e34a31e 100644 --- a/cura/UI/WelcomePagesModel.py +++ b/cura/UI/WelcomePagesModel.py @@ -1,7 +1,9 @@ -# Copyright (c) 2019 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. -from collections import deque + import os + +from collections import deque from typing import TYPE_CHECKING, Optional, List, Dict, Any from PyQt5.QtCore import QUrl, Qt, pyqtSlot, pyqtProperty, pyqtSignal @@ -16,24 +18,23 @@ if TYPE_CHECKING: from cura.CuraApplication import CuraApplication -# -# This is the Qt ListModel that contains all welcome pages data. Each page is a page that can be shown as a step in the -# welcome wizard dialog. Each item in this ListModel represents a page, which contains the following fields: -# -# - id : A unique page_id which can be used in function goToPage(page_id) -# - page_url : The QUrl to the QML file that contains the content of this page -# - next_page_id : (OPTIONAL) The next page ID to go to when this page finished. This is optional. If this is not -# provided, it will go to the page with the current index + 1 -# - next_page_button_text: (OPTIONAL) The text to show for the "next" button, by default it's the translated text of -# "Next". Note that each step QML can decide whether to use this text or not, so it's not -# mandatory. -# - should_show_function : (OPTIONAL) An optional function that returns True/False indicating if this page should be -# shown. By default all pages should be shown. If a function returns False, that page will -# be skipped and its next page will be shown. -# -# Note that in any case, a page that has its "should_show_function" == False will ALWAYS be skipped. -# class WelcomePagesModel(ListModel): + """ + This is the Qt ListModel that contains all welcome pages data. Each page is a page that can be shown as a step in + the welcome wizard dialog. Each item in this ListModel represents a page, which contains the following fields: + - id : A unique page_id which can be used in function goToPage(page_id) + - page_url : The QUrl to the QML file that contains the content of this page + - next_page_id : (OPTIONAL) The next page ID to go to when this page finished. This is optional. If this is + not provided, it will go to the page with the current index + 1 + - next_page_button_text : (OPTIONAL) The text to show for the "next" button, by default it's the translated text of + "Next". Note that each step QML can decide whether to use this text or not, so it's not + mandatory. + - should_show_function : (OPTIONAL) An optional function that returns True/False indicating if this page should be + shown. By default all pages should be shown. If a function returns False, that page will + be skipped and its next page will be shown. + + Note that in any case, a page that has its "should_show_function" == False will ALWAYS be skipped. + """ IdRole = Qt.UserRole + 1 # Page ID PageUrlRole = Qt.UserRole + 2 # URL to the page's QML file @@ -55,11 +56,11 @@ class WelcomePagesModel(ListModel): self._default_next_button_text = self._catalog.i18nc("@action:button", "Next") - self._pages = [] # type: List[Dict[str, Any]] + self._pages: List[Dict[str, Any]] = [] self._current_page_index = 0 # Store all the previous page indices so it can go back. - self._previous_page_indices_stack = deque() # type: deque + self._previous_page_indices_stack: deque = deque() # If the welcome flow should be shown. It can show the complete flow or just the changelog depending on the # specific case. See initialize() for how this variable is set. @@ -72,17 +73,21 @@ class WelcomePagesModel(ListModel): def currentPageIndex(self) -> int: return self._current_page_index - # Returns a float number in [0, 1] which indicates the current progress. @pyqtProperty(float, notify = currentPageIndexChanged) def currentProgress(self) -> float: + """ + Returns a float number in [0, 1] which indicates the current progress. + """ if len(self._items) == 0: return 0 else: return self._current_page_index / len(self._items) - # Indicates if the current page is the last page. @pyqtProperty(bool, notify = currentPageIndexChanged) def isCurrentPageLast(self) -> bool: + """ + Indicates if the current page is the last page. + """ return self._current_page_index == len(self._items) - 1 def _setCurrentPageIndex(self, page_index: int) -> None: @@ -91,17 +96,22 @@ class WelcomePagesModel(ListModel): self._current_page_index = page_index self.currentPageIndexChanged.emit() - # Ends the Welcome-Pages. Put as a separate function for cases like the 'decline' in the User-Agreement. @pyqtSlot() def atEnd(self) -> None: + """ + Ends the Welcome-Pages. Put as a separate function for cases like the 'decline' in the User-Agreement. + """ self.allFinished.emit() self.resetState() - # Goes to the next page. - # If "from_index" is given, it will look for the next page to show starting from the "from_index" page instead of - # the "self._current_page_index". @pyqtSlot() def goToNextPage(self, from_index: Optional[int] = None) -> None: + """ + Goes to the next page. + If "from_index" is given, it will look for the next page to show starting from the "from_index" page instead of + the "self._current_page_index". + """ + # Look for the next page that should be shown current_index = self._current_page_index if from_index is None else from_index while True: @@ -137,9 +147,11 @@ class WelcomePagesModel(ListModel): # Move to the next page self._setCurrentPageIndex(next_page_index) - # Goes to the previous page. If there's no previous page, do nothing. @pyqtSlot() def goToPreviousPage(self) -> None: + """ + Goes to the previous page. If there's no previous page, do nothing. + """ if len(self._previous_page_indices_stack) == 0: Logger.log("i", "No previous page, do nothing") return @@ -148,9 +160,9 @@ class WelcomePagesModel(ListModel): self._current_page_index = previous_page_index self.currentPageIndexChanged.emit() - # Sets the current page to the given page ID. If the page ID is not found, do nothing. @pyqtSlot(str) def goToPage(self, page_id: str) -> None: + """Sets the current page to the given page ID. If the page ID is not found, do nothing.""" page_index = self.getPageIndexById(page_id) if page_index is None: # FIXME: If we cannot find the next page, we cannot do anything here. @@ -165,18 +177,22 @@ class WelcomePagesModel(ListModel): # Find the next page to show starting from the "page_index" self.goToNextPage(from_index = page_index) - # Checks if the page with the given index should be shown by calling the "should_show_function" associated with it. - # If the function is not present, returns True (show page by default). def _shouldPageBeShown(self, page_index: int) -> bool: + """ + Checks if the page with the given index should be shown by calling the "should_show_function" associated with + it. If the function is not present, returns True (show page by default). + """ next_page_item = self.getItem(page_index) should_show_function = next_page_item.get("should_show_function", lambda: True) return should_show_function() - # Resets the state of the WelcomePagesModel. This functions does the following: - # - Resets current_page_index to 0 - # - Clears the previous page indices stack @pyqtSlot() def resetState(self) -> None: + """ + Resets the state of the WelcomePagesModel. This functions does the following: + - Resets current_page_index to 0 + - Clears the previous page indices stack + """ self._current_page_index = 0 self._previous_page_indices_stack.clear() @@ -188,8 +204,8 @@ class WelcomePagesModel(ListModel): def shouldShowWelcomeFlow(self) -> bool: return self._should_show_welcome_flow - # Gets the page index with the given page ID. If the page ID doesn't exist, returns None. def getPageIndexById(self, page_id: str) -> Optional[int]: + """Gets the page index with the given page ID. If the page ID doesn't exist, returns None.""" page_idx = None for idx, page_item in enumerate(self._items): if page_item["id"] == page_id: @@ -197,8 +213,9 @@ class WelcomePagesModel(ListModel): break return page_idx - # Convenience function to get QUrl path to pages that's located in "resources/qml/WelcomePages". - def _getBuiltinWelcomePagePath(self, page_filename: str) -> "QUrl": + @staticmethod + def _getBuiltinWelcomePagePath(page_filename: str) -> QUrl: + """Convenience function to get QUrl path to pages that's located in "resources/qml/WelcomePages".""" from cura.CuraApplication import CuraApplication return QUrl.fromLocalFile(Resources.getPath(CuraApplication.ResourceTypes.QmlFiles, os.path.join("WelcomePages", page_filename))) @@ -213,21 +230,22 @@ class WelcomePagesModel(ListModel): self._initialize() def _initialize(self, update_should_show_flag: bool = True) -> None: - show_whatsnew_only = False + show_whats_new_only = False if update_should_show_flag: has_active_machine = self._application.getMachineManager().activeMachine is not None has_app_just_upgraded = self._application.hasJustUpdatedFromOldVersion() # Only show the what's new dialog if there's no machine and we have just upgraded show_complete_flow = not has_active_machine - show_whatsnew_only = has_active_machine and has_app_just_upgraded + show_whats_new_only = has_active_machine and has_app_just_upgraded # FIXME: This is a hack. Because of the circular dependency between MachineManager, ExtruderManager, and - # possibly some others, setting the initial active machine is not done when the MachineManager gets initialized. - # So at this point, we don't know if there will be an active machine or not. It could be that the active machine - # files are corrupted so we cannot rely on Preferences either. This makes sure that once the active machine - # gets changed, this model updates the flags, so it can decide whether to show the welcome flow or not. - should_show_welcome_flow = show_complete_flow or show_whatsnew_only + # possibly some others, setting the initial active machine is not done when the MachineManager gets + # initialized. So at this point, we don't know if there will be an active machine or not. It could be that + # the active machine files are corrupted so we cannot rely on Preferences either. This makes sure that once + # the active machine gets changed, this model updates the flags, so it can decide whether to show the + # welcome flow or not. + should_show_welcome_flow = show_complete_flow or show_whats_new_only if should_show_welcome_flow != self._should_show_welcome_flow: self._should_show_welcome_flow = should_show_welcome_flow self.shouldShowWelcomeFlowChanged.emit() @@ -274,23 +292,25 @@ class WelcomePagesModel(ListModel): ] pages_to_show = all_pages_list - if show_whatsnew_only: + if show_whats_new_only: pages_to_show = list(filter(lambda x: x["id"] == "whats_new", all_pages_list)) self._pages = pages_to_show self.setItems(self._pages) - # For convenience, inject the default "next" button text to each item if it's not present. def setItems(self, items: List[Dict[str, Any]]) -> None: + # For convenience, inject the default "next" button text to each item if it's not present. for item in items: if "next_page_button_text" not in item: item["next_page_button_text"] = self._default_next_button_text super().setItems(items) - # Indicates if the machine action panel should be shown by checking if there's any first start machine actions - # available. def shouldShowMachineActions(self) -> bool: + """ + Indicates if the machine action panel should be shown by checking if there's any first start machine actions + available. + """ global_stack = self._application.getMachineManager().activeMachine if global_stack is None: return False @@ -312,6 +332,3 @@ class WelcomePagesModel(ListModel): def addPage(self) -> None: pass - - -__all__ = ["WelcomePagesModel"] diff --git a/cura/UI/WhatsNewPagesModel.py b/cura/UI/WhatsNewPagesModel.py index 11320a0ebb..b99bdf30f0 100644 --- a/cura/UI/WhatsNewPagesModel.py +++ b/cura/UI/WhatsNewPagesModel.py @@ -1,27 +1,39 @@ # Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. -from .WelcomePagesModel import WelcomePagesModel import os -from typing import Optional, Dict, List, Tuple +from typing import Optional, Dict, List, Tuple, TYPE_CHECKING + from PyQt5.QtCore import pyqtProperty, pyqtSlot + from UM.Logger import Logger from UM.Resources import Resources -# -# This Qt ListModel is more or less the same the WelcomePagesModel, except that this model is only for showing the -# "what's new" page. This is also used in the "Help" menu to show the changes log. -# +from cura.UI.WelcomePagesModel import WelcomePagesModel + +if TYPE_CHECKING: + from PyQt5.QtCore import QObject + from cura.CuraApplication import CuraApplication + + class WhatsNewPagesModel(WelcomePagesModel): + """ + This Qt ListModel is more or less the same the WelcomePagesModel, except that this model is only for showing the + "what's new" page. This is also used in the "Help" menu to show the changes log. + """ image_formats = [".png", ".jpg", ".jpeg", ".gif", ".svg"] text_formats = [".txt", ".htm", ".html"] image_key = "image" text_key = "text" + def __init__(self, application: "CuraApplication", parent: Optional["QObject"] = None) -> None: + super().__init__(application, parent) + self._subpages: List[Dict[str, Optional[str]]] = [] + @staticmethod def _collectOrdinalFiles(resource_type: int, include: List[str]) -> Tuple[Dict[int, str], int]: - result = {} #type: Dict[int, str] + result = {} # type: Dict[int, str] highest = -1 try: folder_path = Resources.getPath(resource_type, "whats_new") @@ -65,7 +77,7 @@ class WhatsNewPagesModel(WelcomePagesModel): texts, max_text = WhatsNewPagesModel._collectOrdinalFiles(Resources.Texts, WhatsNewPagesModel.text_formats) highest = max(max_image, max_text) - self._subpages = [] #type: List[Dict[str, Optional[str]]] + self._subpages = [] for n in range(0, highest + 1): self._subpages.append({ WhatsNewPagesModel.image_key: None if n not in images else images[n], @@ -93,5 +105,3 @@ class WhatsNewPagesModel(WelcomePagesModel): def getSubpageText(self, page: int) -> str: result = self._getSubpageItem(page, WhatsNewPagesModel.text_key) return result if result else "* * *" - -__all__ = ["WhatsNewPagesModel"] diff --git a/cura/UltimakerCloud/CloudMaterialSync.py b/cura/UltimakerCloud/CloudMaterialSync.py index 6fd3a43e51..8bf8962eaf 100644 --- a/cura/UltimakerCloud/CloudMaterialSync.py +++ b/cura/UltimakerCloud/CloudMaterialSync.py @@ -57,6 +57,7 @@ class CloudMaterialSync(QObject): self.sync_all_dialog.setProperty("syncModel", self) self.sync_all_dialog.setProperty("pageIndex", 0) # Return to first page. self.sync_all_dialog.setProperty("hasExportedUsb", False) # If the user exported USB before, reset that page. + self.sync_all_dialog.setProperty("syncStatusText", "") # Reset any previous error messages. self.sync_all_dialog.show() def _showSyncNewMaterialsMessage(self) -> None: diff --git a/cura/UltimakerCloud/UltimakerCloudConstants.py b/cura/UltimakerCloud/UltimakerCloudConstants.py index 0c8ea0c9c7..f65d500fb7 100644 --- a/cura/UltimakerCloud/UltimakerCloudConstants.py +++ b/cura/UltimakerCloud/UltimakerCloudConstants.py @@ -13,6 +13,9 @@ DEFAULT_DIGITAL_FACTORY_URL = "https://digitalfactory.ultimaker.com" # type: st META_UM_LINKED_TO_ACCOUNT = "um_linked_to_account" """(bool) Whether a cloud printer is linked to an Ultimaker account""" +META_CAPABILITIES = "capabilities" +"""(list[str]) a list of capabilities this printer supports""" + try: from cura.CuraVersion import CuraCloudAPIRoot # type: ignore if CuraCloudAPIRoot == "": diff --git a/plugins/3MFReader/ThreeMFWorkspaceReader.py b/plugins/3MFReader/ThreeMFWorkspaceReader.py index 8184ad1443..5f57e49cc6 100755 --- a/plugins/3MFReader/ThreeMFWorkspaceReader.py +++ b/plugins/3MFReader/ThreeMFWorkspaceReader.py @@ -49,7 +49,9 @@ _ignored_machine_network_metadata = { "removal_warning", "group_name", "group_size", - "connection_type" + "connection_type", + "capabilities", + "octoprint_api_key", } # type: Set[str] diff --git a/plugins/3MFWriter/ThreeMFWorkspaceWriter.py b/plugins/3MFWriter/ThreeMFWorkspaceWriter.py index 9f4ab8e5fa..d6cc6ea159 100644 --- a/plugins/3MFWriter/ThreeMFWorkspaceWriter.py +++ b/plugins/3MFWriter/ThreeMFWorkspaceWriter.py @@ -32,6 +32,12 @@ class ThreeMFWorkspaceWriter(WorkspaceWriter): Logger.error("3MF Writer class is unavailable. Can't write workspace.") return False + global_stack = machine_manager.activeMachine + if global_stack is None: + self.setInformation(catalog.i18nc("@error", "There is no workspace yet to write. Please add a printer first.")) + Logger.error("Tried to write a 3MF workspace before there was a global stack.") + return False + # Indicate that the 3mf mesh writer should not close the archive just yet (we still need to add stuff to it). mesh_writer.setStoreArchive(True) mesh_writer.write(stream, nodes, mode) @@ -40,7 +46,6 @@ class ThreeMFWorkspaceWriter(WorkspaceWriter): if archive is None: # This happens if there was no mesh data to write. archive = zipfile.ZipFile(stream, "w", compression = zipfile.ZIP_DEFLATED) - global_stack = machine_manager.activeMachine try: # Add global container stack data to the archive. @@ -149,7 +154,8 @@ class ThreeMFWorkspaceWriter(WorkspaceWriter): "group_name", "group_size", "connection_type", - "octoprint_api_key" + "capabilities", + "octoprint_api_key", } serialized_data = container.serialize(ignored_metadata_keys = ignore_keys) diff --git a/plugins/3MFWriter/ThreeMFWriter.py b/plugins/3MFWriter/ThreeMFWriter.py index c85eca88bf..45ba556d65 100644 --- a/plugins/3MFWriter/ThreeMFWriter.py +++ b/plugins/3MFWriter/ThreeMFWriter.py @@ -10,6 +10,10 @@ from UM.Application import Application from UM.Scene.SceneNode import SceneNode from cura.CuraApplication import CuraApplication +from cura.Utils.Threading import call_on_qt_thread +from cura.Snapshot import Snapshot + +from PyQt5.QtCore import QBuffer import Savitar @@ -149,6 +153,22 @@ class ThreeMFWriter(MeshWriter): relations_element = ET.Element("Relationships", xmlns = self._namespaces["relationships"]) model_relation_element = ET.SubElement(relations_element, "Relationship", Target = "/3D/3dmodel.model", Id = "rel0", Type = "http://schemas.microsoft.com/3dmanufacturing/2013/01/3dmodel") + # Attempt to add a thumbnail + snapshot = self._createSnapshot() + if snapshot: + thumbnail_buffer = QBuffer() + thumbnail_buffer.open(QBuffer.ReadWrite) + snapshot.save(thumbnail_buffer, "PNG") + + thumbnail_file = zipfile.ZipInfo("Metadata/thumbnail.png") + # Don't try to compress snapshot file, because the PNG is pretty much as compact as it will get + archive.writestr(thumbnail_file, thumbnail_buffer.data()) + + # Add PNG to content types file + thumbnail_type = ET.SubElement(content_types, "Default", Extension = "png", ContentType = "image/png") + # Add thumbnail relation to _rels/.rels file + thumbnail_relation_element = ET.SubElement(relations_element, "Relationship", Target = "/Metadata/thumbnail.png", Id = "rel1", Type = "http://schemas.openxmlformats.org/package/2006/relationships/metadata/thumbnail") + savitar_scene = Savitar.Scene() metadata_to_store = CuraApplication.getInstance().getController().getScene().getMetaData() @@ -212,3 +232,17 @@ class ThreeMFWriter(MeshWriter): self._archive = archive return True + + @call_on_qt_thread # must be called from the main thread because of OpenGL + def _createSnapshot(self): + Logger.log("d", "Creating thumbnail image...") + if not CuraApplication.getInstance().isVisible: + Logger.log("w", "Can't create snapshot when renderer not initialized.") + return None + try: + snapshot = Snapshot.snapshot(width = 300, height = 300) + except: + Logger.logException("w", "Failed to create snapshot image") + return None + + return snapshot diff --git a/plugins/DigitalLibrary/src/DigitalFactoryController.py b/plugins/DigitalLibrary/src/DigitalFactoryController.py index e1b1c62172..ba5ee48888 100644 --- a/plugins/DigitalLibrary/src/DigitalFactoryController.py +++ b/plugins/DigitalLibrary/src/DigitalFactoryController.py @@ -261,7 +261,10 @@ class DigitalFactoryController(QObject): """ Error function, called whenever the retrieval of the files in a library project fails. """ - Logger.log("w", "Failed to retrieve the list of files in project '{}' from the Digital Library".format(self._project_model._projects[self._selected_project_idx])) + try: + Logger.warning(f"Failed to retrieve the list of files in project '{self._project_model._projects[self._selected_project_idx]}' from the Digital Library") + except IndexError: + Logger.warning(f"Failed to retrieve the list of files in a project from the Digital Library. And failed to get the project too.") self.setRetrievingFilesStatus(RetrievalStatus.Failed) @pyqtSlot() diff --git a/plugins/SimulationView/SimulationPass.py b/plugins/SimulationView/SimulationPass.py index 495feb6fd3..1294b37db4 100644 --- a/plugins/SimulationView/SimulationPass.py +++ b/plugins/SimulationView/SimulationPass.py @@ -1,4 +1,4 @@ -# Copyright (c) 2020 Ultimaker B.V. +# Copyright (c) 2021 Ultimaker B.V. # Cura is released under the terms of the LGPLv3 or higher. from UM.Math.Color import Color @@ -142,7 +142,6 @@ class SimulationPass(RenderPass): if self._layer_view._current_layer_num > -1 and ((not self._layer_view._only_show_top_layers) or (not self._layer_view.getCompatibilityMode())): start = 0 end = 0 - current_polygon_offset = 0 element_counts = layer_data.getElementCounts() for layer in sorted(element_counts.keys()): # In the current layer, we show just the indicated paths @@ -156,26 +155,18 @@ class SimulationPass(RenderPass): if index >= polygon.data.size // 3 - offset: index -= polygon.data.size // 3 - offset offset = 1 # This is to avoid the first point when there is more than one polygon, since has the same value as the last point in the previous polygon - current_polygon_offset += 1 continue # The head position is calculated and translated head_position = Vector(polygon.data[index+offset][0], polygon.data[index+offset][1], polygon.data[index+offset][2]) + node.getWorldPosition() break break - end += layer_data.getLayer(layer).vertexCount - if layer < self._layer_view._minimum_layer_num: - start = end + if self._layer_view._minimum_layer_num > layer: + start += element_counts[layer] + end += element_counts[layer] - # Calculate the range of paths in the last layer. -- The type-change count is needed to keep the - # vertex-indices aligned between the two different ways we represent polygons here. - # Since there is one type per line, that could give a vertex two different types, if it's a vertex - # where a type-chage occurs. However, the shader expects vertices to have only one type. In order to - # fix this, those vertices are duplicated. This introduces a discrepancy that we have to take into - # account, which is done by the type-change-count. - layer = layer_data.getLayer(self._layer_view._current_layer_num) - type_change_count = 0 if layer is None else layer.lineMeshCumulativeTypeChangeCount(max(self._layer_view._current_path_num - 1, 0)) + # Calculate the range of paths in the last layer current_layer_start = end - current_layer_end = current_layer_start + self._layer_view._current_path_num + current_polygon_offset + type_change_count + current_layer_end = end + self._layer_view._current_path_num * 2 # Because each point is used twice # This uses glDrawRangeElements internally to only draw a certain range of lines. # All the layers but the current selected layer are rendered first diff --git a/plugins/SimulationView/layers.shader b/plugins/SimulationView/layers.shader index 97e0180307..e6210c2b65 100644 --- a/plugins/SimulationView/layers.shader +++ b/plugins/SimulationView/layers.shader @@ -13,11 +13,9 @@ vertex = attribute highp vec4 a_vertex; attribute lowp vec4 a_color; attribute lowp vec4 a_material_color; - attribute highp float a_vertex_index; varying lowp vec4 v_color; varying float v_line_type; - varying highp float v_vertex_index; void main() { @@ -30,7 +28,6 @@ vertex = } v_line_type = a_line_type; - v_vertex_index = a_vertex_index; } fragment = @@ -43,21 +40,14 @@ fragment = #endif // GL_ES varying lowp vec4 v_color; varying float v_line_type; - varying highp float v_vertex_index; uniform int u_show_travel_moves; uniform int u_show_helpers; uniform int u_show_skin; uniform int u_show_infill; - uniform highp vec2 u_drawRange; - void main() { - if (u_drawRange.x >= 0.0 && u_drawRange.y >= 0.0 && (v_vertex_index < u_drawRange.x || v_vertex_index > u_drawRange.y)) - { - discard; - } if ((u_show_travel_moves == 0) && (v_line_type >= 7.5) && (v_line_type <= 9.5)) { // actually, 8 and 9 // discard movements discard; @@ -87,6 +77,77 @@ fragment = gl_FragColor = v_color; } +vertex41core = + #version 410 + uniform highp mat4 u_modelMatrix; + uniform highp mat4 u_viewMatrix; + uniform highp mat4 u_projectionMatrix; + + uniform lowp float u_active_extruder; + uniform lowp float u_shade_factor; + uniform highp int u_layer_view_type; + + in highp float a_extruder; + in highp float a_line_type; + in highp vec4 a_vertex; + in lowp vec4 a_color; + in lowp vec4 a_material_color; + + out lowp vec4 v_color; + out float v_line_type; + + void main() + { + gl_Position = u_projectionMatrix * u_viewMatrix * u_modelMatrix * a_vertex; + v_color = a_color; + if ((a_line_type != 8) && (a_line_type != 9)) { + v_color = (a_extruder == u_active_extruder) ? v_color : vec4(u_shade_factor * v_color.rgb, v_color.a); + } + + v_line_type = a_line_type; + } + +fragment41core = + #version 410 + in lowp vec4 v_color; + in float v_line_type; + out vec4 frag_color; + + uniform int u_show_travel_moves; + uniform int u_show_helpers; + uniform int u_show_skin; + uniform int u_show_infill; + + void main() + { + if ((u_show_travel_moves == 0) && (v_line_type >= 7.5) && (v_line_type <= 9.5)) { // actually, 8 and 9 + // discard movements + discard; + } + // helpers: 4, 5, 7, 10 + if ((u_show_helpers == 0) && ( + ((v_line_type >= 3.5) && (v_line_type <= 4.5)) || + ((v_line_type >= 6.5) && (v_line_type <= 7.5)) || + ((v_line_type >= 9.5) && (v_line_type <= 10.5)) || + ((v_line_type >= 4.5) && (v_line_type <= 5.5)) + )) { + discard; + } + // skin: 1, 2, 3 + if ((u_show_skin == 0) && ( + (v_line_type >= 0.5) && (v_line_type <= 3.5) + )) { + discard; + } + // infill: + if ((u_show_infill == 0) && (v_line_type >= 5.5) && (v_line_type <= 6.5)) { + // discard movements + discard; + } + + frag_color = v_color; + } + [defaults] u_active_extruder = 0.0 u_shade_factor = 0.60 @@ -98,13 +159,10 @@ u_show_helpers = 1 u_show_skin = 1 u_show_infill = 1 -u_drawRange = [-1.0, -1.0] - [bindings] u_modelMatrix = model_matrix u_viewMatrix = view_matrix u_projectionMatrix = projection_matrix -u_drawRange = draw_range [attributes] a_vertex = vertex @@ -112,4 +170,3 @@ a_color = color a_extruder = extruder a_line_type = line_type a_material_color = material_color -a_vertex_index = vertex_index diff --git a/plugins/SimulationView/layers3d.shader b/plugins/SimulationView/layers3d.shader index dc5aee2d1c..b43d998690 100644 --- a/plugins/SimulationView/layers3d.shader +++ b/plugins/SimulationView/layers3d.shader @@ -27,7 +27,6 @@ vertex41core = in highp float a_extruder; in highp float a_prev_line_type; in highp float a_line_type; - in highp float a_vertex_index; in highp float a_feedrate; in highp float a_thickness; @@ -38,9 +37,8 @@ vertex41core = out lowp vec2 v_line_dim; out highp int v_extruder; out highp mat4 v_extruder_opacity; - out highp float v_prev_line_type; - out highp float v_line_type; - out highp float v_index; + out float v_prev_line_type; + out float v_line_type; out lowp vec4 f_color; out highp vec3 f_vertex; @@ -58,12 +56,12 @@ vertex41core = value = (abs_value - min_value) / (max_value - min_value); } float red = value; - float green = 1-abs(1-4*value); + float green = 1.0 - abs(1.0 - 4.0 * value); if (value > 0.375) { green = 0.5; } - float blue = max(1-4*value, 0); + float blue = max(1.0 - 4.0 * value, 0.0); return vec4(red, green, blue, 1.0); } @@ -78,7 +76,7 @@ vertex41core = { value = (abs_value - min_value) / (max_value - min_value); } - float red = min(max(4*value-2, 0), 1); + float red = min(max(4.0 * value - 2.0, 0.0), 1.0); float green = min(1.5*value, 0.75); if (value > 0.75) { @@ -100,18 +98,18 @@ vertex41core = value = (abs_value - min_value) / (max_value - min_value); } float red = value; - float green = 1 - abs(1 - 4 * value); + float green = 1.0 - abs(1.0 - 4.0 * value); if(value > 0.375) { green = 0.5; } - float blue = max(1 - 4 * value, 0); + float blue = max(1.0 - 4.0 * value, 0.0); return vec4(red, green, blue, 1.0); } float clamp(float v) { - float t = v < 0 ? 0 : v; + float t = v < 0.0 ? 0.0 : v; return t > 1.0 ? 1.0 : t; } @@ -170,7 +168,6 @@ vertex41core = v_extruder = int(a_extruder); v_prev_line_type = a_prev_line_type; v_line_type = a_line_type; - v_index = a_vertex_index; v_extruder_opacity = u_extruder_opacity; // for testing without geometry shader @@ -194,8 +191,6 @@ geometry41core = uniform int u_show_infill; uniform int u_show_starts; - uniform highp vec2 u_drawRange; - layout(lines) in; layout(triangle_strip, max_vertices = 40) out; @@ -207,7 +202,6 @@ geometry41core = in mat4 v_extruder_opacity[]; in float v_prev_line_type[]; in float v_line_type[]; - in float v_index[]; out vec4 f_color; out vec3 f_normal; @@ -237,10 +231,6 @@ geometry41core = float size_x; float size_y; - if (u_drawRange[0] >= 0.0 && u_drawRange[1] >= 0.0 && (v_index[0] < u_drawRange[0] || v_index[0] >= u_drawRange[1])) - { - return; - } if ((v_extruder_opacity[0][int(mod(v_extruder[0], 4))][v_extruder[0] / 4] == 0.0) && (v_line_type[0] != 8) && (v_line_type[0] != 9)) { return; } @@ -437,15 +427,12 @@ u_max_feedrate = 1 u_min_thickness = 0 u_max_thickness = 1 -u_drawRange = [-1.0, -1.0] - [bindings] u_modelMatrix = model_matrix u_viewMatrix = view_matrix u_projectionMatrix = projection_matrix u_normalMatrix = normal_matrix u_lightPosition = light_0_position -u_drawRange = draw_range [attributes] a_vertex = vertex @@ -458,4 +445,3 @@ a_prev_line_type = prev_line_type a_line_type = line_type a_feedrate = feedrate a_thickness = thickness -a_vertex_index = vertex_index diff --git a/plugins/SimulationView/layers3d_shadow.shader b/plugins/SimulationView/layers3d_shadow.shader index 81ae84ae05..88268938c9 100644 --- a/plugins/SimulationView/layers3d_shadow.shader +++ b/plugins/SimulationView/layers3d_shadow.shader @@ -18,7 +18,6 @@ vertex41core = in highp vec2 a_line_dim; // line width and thickness in highp float a_extruder; in highp float a_line_type; - in highp float a_vertex_index; out lowp vec4 v_color; @@ -27,8 +26,7 @@ vertex41core = out lowp vec2 v_line_dim; out highp int v_extruder; out highp mat4 v_extruder_opacity; - out highp float v_line_type; - out highp float v_index; + out float v_line_type; out lowp vec4 f_color; out highp vec3 f_vertex; @@ -49,7 +47,6 @@ vertex41core = v_line_dim = a_line_dim; v_extruder = int(a_extruder); v_line_type = a_line_type; - v_index = a_vertex_index; v_extruder_opacity = u_extruder_opacity; // for testing without geometry shader @@ -70,8 +67,6 @@ geometry41core = uniform int u_show_skin; uniform int u_show_infill; - uniform highp vec2 u_drawRange; - layout(lines) in; layout(triangle_strip, max_vertices = 26) out; @@ -82,7 +77,6 @@ geometry41core = in int v_extruder[]; in mat4 v_extruder_opacity[]; in float v_line_type[]; - in float v_index[]; out vec4 f_color; out vec3 f_normal; @@ -112,10 +106,6 @@ geometry41core = float size_x; float size_y; - if (u_drawRange[0] >= 0.0 && u_drawRange[1] >= 0.0 && (v_index[0] < u_drawRange[0] || v_index[0] >= u_drawRange[1])) - { - return; - } if ((v_extruder_opacity[0][int(mod(v_extruder[0], 4))][v_extruder[0] / 4] == 0.0) && (v_line_type[0] != 8) && (v_line_type[0] != 9)) { return; } @@ -278,15 +268,12 @@ u_show_helpers = 1 u_show_skin = 1 u_show_infill = 1 -u_drawRange = [-1.0, -1.0] - [bindings] u_modelMatrix = model_matrix u_viewMatrix = view_matrix u_projectionMatrix = projection_matrix u_normalMatrix = normal_matrix u_lightPosition = light_0_position -u_drawRange = draw_range [attributes] a_vertex = vertex @@ -297,4 +284,3 @@ a_line_dim = line_dim a_extruder = extruder a_material_color = material_color a_line_type = line_type -a_vertex_index = vertex_index diff --git a/plugins/SimulationView/layers_shadow.shader b/plugins/SimulationView/layers_shadow.shader index 403fd2bd8e..4bc2de3d0b 100644 --- a/plugins/SimulationView/layers_shadow.shader +++ b/plugins/SimulationView/layers_shadow.shader @@ -13,11 +13,9 @@ vertex = attribute highp vec4 a_vertex; attribute lowp vec4 a_color; attribute lowp vec4 a_material_color; - attribute highp float a_vertex_index; varying lowp vec4 v_color; varying float v_line_type; - varying highp float v_vertex_index; void main() { @@ -30,7 +28,6 @@ vertex = // } v_line_type = a_line_type; - v_vertex_index = a_vertex_index; } fragment = @@ -43,21 +40,14 @@ fragment = #endif // GL_ES varying lowp vec4 v_color; varying float v_line_type; - varying highp float v_vertex_index; uniform int u_show_travel_moves; uniform int u_show_helpers; uniform int u_show_skin; uniform int u_show_infill; - uniform highp vec2 u_drawRange; - void main() { - if (u_drawRange.x >= 0.0 && u_drawRange.y >= 0.0 && (v_vertex_index < u_drawRange.x || v_vertex_index > u_drawRange.y)) - { - discard; - } if ((u_show_travel_moves == 0) && (v_line_type >= 7.5) && (v_line_type <= 9.5)) { // actually, 8 and 9 // discard movements @@ -91,6 +81,78 @@ fragment = gl_FragColor = v_color; } +vertex41core = + #version 410 + uniform highp mat4 u_modelMatrix; + uniform highp mat4 u_viewMatrix; + uniform highp mat4 u_projectionMatrix; + + uniform lowp float u_active_extruder; + uniform lowp float u_shade_factor; + uniform highp int u_layer_view_type; + + in highp float a_extruder; + in highp float a_line_type; + in highp vec4 a_vertex; + in lowp vec4 a_color; + in lowp vec4 a_material_color; + + out lowp vec4 v_color; + out float v_line_type; + + void main() + { + gl_Position = u_projectionMatrix * u_viewMatrix * u_modelMatrix * a_vertex; + v_color = vec4(0.4, 0.4, 0.4, 0.9); // default color for not current layer + // if ((a_line_type != 8) && (a_line_type != 9)) { + // v_color = (a_extruder == u_active_extruder) ? v_color : vec4(u_shade_factor * v_color.rgb, v_color.a); + // } + + v_line_type = a_line_type; + } + +fragment41core = + #version 410 + in lowp vec4 v_color; + in float v_line_type; + out vec4 frag_color; + + uniform int u_show_travel_moves; + uniform int u_show_helpers; + uniform int u_show_skin; + uniform int u_show_infill; + + void main() + { + if ((u_show_travel_moves == 0) && (v_line_type >= 7.5) && (v_line_type <= 9.5)) { // actually, 8 and 9 + // discard movements + discard; + } + // helpers: 4, 5, 7, 10, 11 + if ((u_show_helpers == 0) && ( + ((v_line_type >= 3.5) && (v_line_type <= 4.5)) || + ((v_line_type >= 6.5) && (v_line_type <= 7.5)) || + ((v_line_type >= 9.5) && (v_line_type <= 10.5)) || + ((v_line_type >= 4.5) && (v_line_type <= 5.5)) || + ((v_line_type >= 10.5) && (v_line_type <= 11.5)) + )) { + discard; + } + // skin: 1, 2, 3 + if ((u_show_skin == 0) && ( + (v_line_type >= 0.5) && (v_line_type <= 3.5) + )) { + discard; + } + // infill: + if ((u_show_infill == 0) && (v_line_type >= 5.5) && (v_line_type <= 6.5)) { + // discard movements + discard; + } + + frag_color = v_color; + } + [defaults] u_active_extruder = 0.0 u_shade_factor = 0.60 @@ -102,13 +164,10 @@ u_show_helpers = 1 u_show_skin = 1 u_show_infill = 1 -u_drawRange = [-1.0, -1.0] - [bindings] u_modelMatrix = model_matrix u_viewMatrix = view_matrix u_projectionMatrix = projection_matrix -u_drawRange = draw_range [attributes] a_vertex = vertex @@ -116,4 +175,3 @@ a_color = color a_extruder = extruder a_line_type = line_type a_material_color = material_color -a_vertex_index = vertex_index diff --git a/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py b/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py index 4c1818e4ee..6d2ed1dcbd 100644 --- a/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py +++ b/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py @@ -66,7 +66,7 @@ class CloudPackageChecker(QObject): self._application.getHttpRequestManager().get(url, callback = self._onUserPackagesRequestFinished, error_callback = self._onUserPackagesRequestFinished, - timeout=10, + timeout = 10, scope = self._scope) def _onUserPackagesRequestFinished(self, reply: "QNetworkReply", error: Optional["QNetworkReply.NetworkError"] = None) -> None: diff --git a/plugins/UFPReader/plugin.json b/plugins/UFPReader/plugin.json index 08df39c938..cac7e86236 100644 --- a/plugins/UFPReader/plugin.json +++ b/plugins/UFPReader/plugin.json @@ -3,6 +3,6 @@ "author": "Ultimaker B.V.", "version": "1.0.0", "description": "Provides support for reading Ultimaker Format Packages.", - "supported_sdk_versions": ["7.8.0"], + "supported_sdk_versions": ["7.9.0"], "i18n-catalog": "cura" } \ No newline at end of file diff --git a/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml b/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml index 6ad295beec..f698bd948e 100644 --- a/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml +++ b/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml @@ -73,10 +73,6 @@ Item switch (printJob.state) { case "wait_cleanup": - if (printJob.timeTotal > printJob.timeElapsed) - { - return catalog.i18nc("@label:status", "Aborted"); - } return catalog.i18nc("@label:status", "Finished"); case "finished": return catalog.i18nc("@label:status", "Finished"); @@ -88,6 +84,20 @@ Item return catalog.i18nc("@label:status", "Aborting..."); case "aborted": // NOTE: Unused, see above return catalog.i18nc("@label:status", "Aborted"); + case "aborted_post_print": + return catalog.i18nc("@label:status", "Aborted"); + case "aborted_wait_user_action": + return catalog.i18nc("@label:status", "Aborted"); + case "aborted_wait_cleanup": + return catalog.i18nc("@label:status", "Aborted"); + case "failed": + return catalog.i18nc("@label:status", "Failed"); + case "failed_post_print": + return catalog.i18nc("@label:status", "Failed"); + case "failed_wait_user_action": + return catalog.i18nc("@label:status", "Failed"); + case "failed_wait_cleanup": + return catalog.i18nc("@label:status", "Failed"); case "pausing": return catalog.i18nc("@label:status", "Pausing..."); case "paused": diff --git a/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py b/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py index 5b1844e7cb..8eecafd49c 100644 --- a/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py +++ b/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py @@ -19,7 +19,7 @@ from cura.CuraApplication import CuraApplication from cura.Settings.CuraContainerRegistry import CuraContainerRegistry # To update printer metadata with information received about cloud printers. from cura.Settings.CuraStackBuilder import CuraStackBuilder from cura.Settings.GlobalStack import GlobalStack -from cura.UltimakerCloud.UltimakerCloudConstants import META_UM_LINKED_TO_ACCOUNT +from cura.UltimakerCloud.UltimakerCloudConstants import META_CAPABILITIES, META_UM_LINKED_TO_ACCOUNT from .CloudApiClient import CloudApiClient from .CloudOutputDevice import CloudOutputDevice from ..Models.Http.CloudClusterResponse import CloudClusterResponse @@ -128,6 +128,8 @@ class CloudOutputDeviceManager: # to the current account if not parseBool(self._um_cloud_printers[device_id].getMetaDataEntry(META_UM_LINKED_TO_ACCOUNT, "true")): self._um_cloud_printers[device_id].setMetaDataEntry(META_UM_LINKED_TO_ACCOUNT, True) + if not self._um_cloud_printers[device_id].getMetaDataEntry(META_CAPABILITIES, None): + self._um_cloud_printers[device_id].setMetaDataEntry(META_CAPABILITIES, ",".join(cluster_data.capabilities)) self._onDevicesDiscovered(new_clusters) self._updateOnlinePrinters(all_clusters) diff --git a/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py b/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py index 1af3d83964..ce6dd1de4d 100644 --- a/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py +++ b/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py @@ -37,7 +37,7 @@ class CloudClusterResponse(BaseModel): self.friendly_name = friendly_name self.printer_type = printer_type self.printer_count = printer_count - self.capabilities = capabilities + self.capabilities = capabilities if capabilities is not None else [] super().__init__(**kwargs) # Validates the model, raising an exception if the model is invalid. @@ -45,3 +45,10 @@ class CloudClusterResponse(BaseModel): super().validate() if not self.cluster_id: raise ValueError("cluster_id is required on CloudCluster") + + def __repr__(self) -> str: + """ + Convenience function for printing when debugging. + :return: A human-readable representation of the data in this object. + """ + return str({k: v for k, v in self.__dict__.items() if k in {"cluster_id", "host_guid", "host_name", "status", "is_online", "host_version", "host_internal_ip", "friendly_name", "printer_type", "printer_count", "capabilities"}}) diff --git a/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py b/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py index 987ca9fab1..6873582074 100644 --- a/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py +++ b/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py @@ -40,7 +40,7 @@ class ClusterPrintJobStatus(BaseModel): configuration_changes_required: List[ Union[Dict[str, Any], ClusterPrintJobConfigurationChange]] = None, build_plate: Union[Dict[str, Any], ClusterBuildPlate] = None, - compatible_machine_families: List[str] = None, + compatible_machine_families: Optional[List[str]] = None, impediments_to_printing: List[Union[Dict[str, Any], ClusterPrintJobImpediment]] = None, preview_url: Optional[str] = None, **kwargs) -> None: @@ -97,7 +97,7 @@ class ClusterPrintJobStatus(BaseModel): configuration_changes_required) \ if configuration_changes_required else [] self.build_plate = self.parseModel(ClusterBuildPlate, build_plate) if build_plate else None - self.compatible_machine_families = compatible_machine_families if compatible_machine_families else [] + self.compatible_machine_families = compatible_machine_families if compatible_machine_families is not None else [] self.impediments_to_printing = self.parseModels(ClusterPrintJobImpediment, impediments_to_printing) \ if impediments_to_printing else [] @@ -130,8 +130,10 @@ class ClusterPrintJobStatus(BaseModel): model.updateConfiguration(self._createConfigurationModel()) model.updateTimeTotal(self.time_total) - model.updateTimeElapsed(self.time_elapsed) - model.updateOwner(self.owner) + if self.time_elapsed is not None: + model.updateTimeElapsed(self.time_elapsed) + if self.owner is not None: + model.updateOwner(self.owner) model.updateState(self.status) model.setCompatibleMachineFamilies(self.compatible_machine_families) diff --git a/requirements.txt b/requirements.txt index 7daca8335a..860c8dbc8a 100644 --- a/requirements.txt +++ b/requirements.txt @@ -29,7 +29,7 @@ pywin32==301 requests==2.22.0 scipy==1.6.2 sentry-sdk==0.13.5 -shapely[vectorized]==1.7.1 +shapely[vectorized]==1.8.0 six==1.12.0 trimesh==3.2.33 twisted==21.2.0 diff --git a/resources/bundled_packages/cura.json b/resources/bundled_packages/cura.json index a5d0ffb2a3..d1914c68ce 100644 --- a/resources/bundled_packages/cura.json +++ b/resources/bundled_packages/cura.json @@ -6,7 +6,7 @@ "display_name": "3MF Reader", "description": "Provides support for reading 3MF files.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -23,7 +23,7 @@ "display_name": "3MF Writer", "description": "Provides support for writing 3MF files.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -40,7 +40,7 @@ "display_name": "AMF Reader", "description": "Provides support for reading AMF files.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "fieldOfView", @@ -57,7 +57,7 @@ "display_name": "Cura Backups", "description": "Backup and restore your configuration.", "package_version": "1.2.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -74,7 +74,7 @@ "display_name": "CuraEngine Backend", "description": "Provides the link to the CuraEngine slicing backend.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -91,7 +91,7 @@ "display_name": "Cura Profile Reader", "description": "Provides support for importing Cura profiles.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -108,7 +108,7 @@ "display_name": "Cura Profile Writer", "description": "Provides support for exporting Cura profiles.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -125,7 +125,7 @@ "display_name": "Ultimaker Digital Library", "description": "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library.", "package_version": "1.1.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -142,7 +142,7 @@ "display_name": "Firmware Update Checker", "description": "Checks for firmware updates.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -159,7 +159,7 @@ "display_name": "Firmware Updater", "description": "Provides a machine actions for updating firmware.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -176,7 +176,7 @@ "display_name": "Compressed G-code Reader", "description": "Reads g-code from a compressed archive.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -193,7 +193,7 @@ "display_name": "Compressed G-code Writer", "description": "Writes g-code to a compressed archive.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -210,7 +210,7 @@ "display_name": "G-Code Profile Reader", "description": "Provides support for importing profiles from g-code files.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -227,7 +227,7 @@ "display_name": "G-Code Reader", "description": "Allows loading and displaying G-code files.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "VictorLarchenko", @@ -244,7 +244,7 @@ "display_name": "G-Code Writer", "description": "Writes g-code to a file.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -261,7 +261,7 @@ "display_name": "Image Reader", "description": "Enables ability to generate printable geometry from 2D image files.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -278,7 +278,7 @@ "display_name": "Legacy Cura Profile Reader", "description": "Provides support for importing profiles from legacy Cura versions.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -295,7 +295,7 @@ "display_name": "Machine Settings Action", "description": "Provides a way to change machine settings (such as build volume, nozzle size, etc.).", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "fieldOfView", @@ -312,7 +312,7 @@ "display_name": "Model Checker", "description": "Checks models and print configuration for possible printing issues and give suggestions.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -329,7 +329,7 @@ "display_name": "Monitor Stage", "description": "Provides a monitor stage in Cura.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -346,7 +346,7 @@ "display_name": "Per-Object Settings Tool", "description": "Provides the per-model settings.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -363,7 +363,7 @@ "display_name": "Post Processing", "description": "Extension that allows for user created scripts for post processing.", "package_version": "2.2.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -380,7 +380,7 @@ "display_name": "Prepare Stage", "description": "Provides a prepare stage in Cura.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -397,7 +397,7 @@ "display_name": "Preview Stage", "description": "Provides a preview stage in Cura.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -414,7 +414,7 @@ "display_name": "Removable Drive Output Device", "description": "Provides removable drive hotplugging and writing support.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -431,7 +431,7 @@ "display_name": "Sentry Logger", "description": "Logs certain events so that they can be used by the crash reporter", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -448,7 +448,7 @@ "display_name": "Simulation View", "description": "Provides the Simulation view.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -465,7 +465,7 @@ "display_name": "Slice Info", "description": "Submits anonymous slice info. Can be disabled through preferences.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -482,7 +482,7 @@ "display_name": "Solid View", "description": "Provides a normal solid mesh view.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -499,7 +499,7 @@ "display_name": "Support Eraser Tool", "description": "Creates an eraser mesh to block the printing of support in certain places.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -516,7 +516,7 @@ "display_name": "Trimesh Reader", "description": "Provides support for reading model files.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -533,7 +533,7 @@ "display_name": "Toolbox", "description": "Find, manage and install new Cura packages.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -550,7 +550,7 @@ "display_name": "UFP Reader", "description": "Provides support for reading Ultimaker Format Packages.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -567,7 +567,7 @@ "display_name": "UFP Writer", "description": "Provides support for writing Ultimaker Format Packages.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -584,7 +584,7 @@ "display_name": "Ultimaker Machine Actions", "description": "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.).", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -601,7 +601,7 @@ "display_name": "UM3 Network Printing", "description": "Manages network connections to Ultimaker 3 printers.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -618,7 +618,7 @@ "display_name": "USB Printing", "description": "Accepts G-Code and sends them to a printer. Plugin can also update firmware.", "package_version": "1.0.2", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -635,7 +635,7 @@ "display_name": "Version Upgrade 2.1 to 2.2", "description": "Upgrades configurations from Cura 2.1 to Cura 2.2.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -652,7 +652,7 @@ "display_name": "Version Upgrade 2.2 to 2.4", "description": "Upgrades configurations from Cura 2.2 to Cura 2.4.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -669,7 +669,7 @@ "display_name": "Version Upgrade 2.5 to 2.6", "description": "Upgrades configurations from Cura 2.5 to Cura 2.6.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -686,7 +686,7 @@ "display_name": "Version Upgrade 2.6 to 2.7", "description": "Upgrades configurations from Cura 2.6 to Cura 2.7.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -703,7 +703,7 @@ "display_name": "Version Upgrade 2.7 to 3.0", "description": "Upgrades configurations from Cura 2.7 to Cura 3.0.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -720,7 +720,7 @@ "display_name": "Version Upgrade 3.0 to 3.1", "description": "Upgrades configurations from Cura 3.0 to Cura 3.1.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -737,7 +737,7 @@ "display_name": "Version Upgrade 3.2 to 3.3", "description": "Upgrades configurations from Cura 3.2 to Cura 3.3.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -754,7 +754,7 @@ "display_name": "Version Upgrade 3.3 to 3.4", "description": "Upgrades configurations from Cura 3.3 to Cura 3.4.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -771,7 +771,7 @@ "display_name": "Version Upgrade 3.4 to 3.5", "description": "Upgrades configurations from Cura 3.4 to Cura 3.5.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -788,7 +788,7 @@ "display_name": "Version Upgrade 3.5 to 4.0", "description": "Upgrades configurations from Cura 3.5 to Cura 4.0.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -805,7 +805,7 @@ "display_name": "Version Upgrade 4.0 to 4.1", "description": "Upgrades configurations from Cura 4.0 to Cura 4.1.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -822,7 +822,7 @@ "display_name": "Version Upgrade 4.1 to 4.2", "description": "Upgrades configurations from Cura 4.1 to Cura 4.2.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -839,7 +839,7 @@ "display_name": "Version Upgrade 4.2 to 4.3", "description": "Upgrades configurations from Cura 4.2 to Cura 4.3.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -856,7 +856,7 @@ "display_name": "Version Upgrade 4.3 to 4.4", "description": "Upgrades configurations from Cura 4.3 to Cura 4.4.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -873,7 +873,7 @@ "display_name": "Version Upgrade 4.4 to 4.5", "description": "Upgrades configurations from Cura 4.4 to Cura 4.5.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -890,7 +890,7 @@ "display_name": "Version Upgrade 4.5 to 4.6", "description": "Upgrades configurations from Cura 4.5 to Cura 4.6.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -907,7 +907,7 @@ "display_name": "Version Upgrade 4.6.0 to 4.6.2", "description": "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -924,7 +924,7 @@ "display_name": "Version Upgrade 4.6.2 to 4.7", "description": "Upgrades configurations from Cura 4.6.2 to Cura 4.7.", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -941,7 +941,7 @@ "display_name": "Version Upgrade 4.7.0 to 4.8.0", "description": "Upgrades configurations from Cura 4.7.0 to Cura 4.8.0", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -958,7 +958,7 @@ "display_name": "Version Upgrade 4.8.0 to 4.9.0", "description": "Upgrades configurations from Cura 4.8.0 to Cura 4.9.0", "package_version": "1.0.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -976,7 +976,7 @@ "description": "Upgrades configurations from Cura 4.9 to Cura 4.10", "package_version": "1.0.0", "sdk_version": 7, - "sdk_version_semver": "7.8.0", + "sdk_version_semver": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -1011,7 +1011,7 @@ "display_name": "X3D Reader", "description": "Provides support for reading X3D files.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "SevaAlekseyev", @@ -1028,7 +1028,7 @@ "display_name": "XML Material Profiles", "description": "Provides capabilities to read and write XML-based material profiles.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -1045,7 +1045,7 @@ "display_name": "X-Ray View", "description": "Provides the X-Ray view.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com", "author": { "author_id": "UltimakerPackages", @@ -1062,7 +1062,7 @@ "display_name": "Generic ABS", "description": "The generic ABS profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1080,7 +1080,7 @@ "display_name": "Generic BAM", "description": "The generic BAM profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1098,7 +1098,7 @@ "display_name": "Generic CFF CPE", "description": "The generic CFF CPE profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1116,7 +1116,7 @@ "display_name": "Generic CFF PA", "description": "The generic CFF PA profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1134,7 +1134,7 @@ "display_name": "Generic CPE", "description": "The generic CPE profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1152,7 +1152,7 @@ "display_name": "Generic CPE+", "description": "The generic CPE+ profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1170,7 +1170,7 @@ "display_name": "Generic GFF CPE", "description": "The generic GFF CPE profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1188,7 +1188,7 @@ "display_name": "Generic GFF PA", "description": "The generic GFF PA profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1206,7 +1206,7 @@ "display_name": "Generic HIPS", "description": "The generic HIPS profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1224,7 +1224,7 @@ "display_name": "Generic Nylon", "description": "The generic Nylon profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1242,7 +1242,7 @@ "display_name": "Generic PC", "description": "The generic PC profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1260,7 +1260,7 @@ "display_name": "Generic PETG", "description": "The generic PETG profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1278,7 +1278,7 @@ "display_name": "Generic PLA", "description": "The generic PLA profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1296,7 +1296,7 @@ "display_name": "Generic PP", "description": "The generic PP profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1314,7 +1314,7 @@ "display_name": "Generic PVA", "description": "The generic PVA profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1332,7 +1332,7 @@ "display_name": "Generic Tough PLA", "description": "The generic Tough PLA profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1350,7 +1350,7 @@ "display_name": "Generic TPU", "description": "The generic TPU profile which other profiles can be based upon.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://github.com/Ultimaker/fdm_materials", "author": { "author_id": "Generic", @@ -1368,7 +1368,7 @@ "display_name": "Dagoma Chromatik PLA", "description": "Filament testé et approuvé pour les imprimantes 3D Dagoma. Chromatik est l'idéal pour débuter et suivre les tutoriels premiers pas. Il vous offre qualité et résistance pour chacune de vos impressions.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://dagoma.fr/boutique/filaments.html", "author": { "author_id": "Dagoma", @@ -1385,7 +1385,7 @@ "display_name": "FABtotum ABS", "description": "This material is easy to be extruded but it is not the simplest to use. It is one of the most used in 3D printing to get very well finished objects. It is not sustainable and its smoke can be dangerous if inhaled. The reason to prefer this filament to PLA is mainly because of its precision and mechanical specs. ABS (for plastic) stands for Acrylonitrile Butadiene Styrene and it is a thermoplastic which is widely used in everyday objects. It can be printed with any FFF 3D printer which can get to high temperatures as it must be extruded in a range between 220° and 245°, so it’s compatible with all versions of the FABtotum Personal fabricator.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=40", "author": { "author_id": "FABtotum", @@ -1402,7 +1402,7 @@ "display_name": "FABtotum Nylon", "description": "When 3D printing started this material was not listed among the extrudable filaments. It is flexible as well as resistant to tractions. It is well known for its uses in textile but also in industries which require a strong and flexible material. There are different kinds of Nylon: 3D printing mostly uses Nylon 6 and Nylon 6.6, which are the most common. It requires higher temperatures to be printed, so a 3D printer must be able to reach them (around 240°C): the FABtotum, of course, can.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=53", "author": { "author_id": "FABtotum", @@ -1419,7 +1419,7 @@ "display_name": "FABtotum PLA", "description": "It is the most common filament used for 3D printing. It is studied to be bio-degradable as it comes from corn starch’s sugar mainly. It is completely made of renewable sources and has no footprint on polluting. PLA stands for PolyLactic Acid and it is a thermoplastic that today is still considered the easiest material to be 3D printed. It can be extruded at lower temperatures: the standard range of FABtotum’s one is between 185° and 195°.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=39", "author": { "author_id": "FABtotum", @@ -1436,7 +1436,7 @@ "display_name": "FABtotum TPU Shore 98A", "description": "", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=66", "author": { "author_id": "FABtotum", @@ -1453,7 +1453,7 @@ "display_name": "Fiberlogy HD PLA", "description": "With our HD PLA you have many more options. You can use this material in two ways. Choose the one you like best. You can use it as a normal PLA and get prints characterized by a very good adhesion between the layers and high precision. You can also make your prints acquire similar properties to that of ABS – better impact resistance and high temperature resistance. All you need is an oven. Yes, an oven! By annealing our HD PLA in an oven, in accordance with the manual, you will avoid all the inconveniences of printing with ABS, such as unpleasant odour or hazardous fumes.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://fiberlogy.com/en/fiberlogy-filaments/filament-hd-pla/", "author": { "author_id": "Fiberlogy", @@ -1470,7 +1470,7 @@ "display_name": "Filo3D PLA", "description": "Fast, safe and reliable printing. PLA is ideal for the fast and reliable printing of parts and prototypes with a great surface quality.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://dagoma.fr", "author": { "author_id": "Dagoma", @@ -1487,7 +1487,7 @@ "display_name": "IMADE3D JellyBOX PETG", "description": "", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://shop.imade3d.com/filament.html", "author": { "author_id": "IMADE3D", @@ -1504,7 +1504,7 @@ "display_name": "IMADE3D JellyBOX PLA", "description": "", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://shop.imade3d.com/filament.html", "author": { "author_id": "IMADE3D", @@ -1521,7 +1521,7 @@ "display_name": "Octofiber PLA", "description": "PLA material from Octofiber.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://nl.octofiber.com/3d-printing-filament/pla.html", "author": { "author_id": "Octofiber", @@ -1538,7 +1538,7 @@ "display_name": "PolyFlex™ PLA", "description": "PolyFlex™ is a highly flexible yet easy to print 3D printing material. Featuring good elasticity and a large strain-to- failure, PolyFlex™ opens up a completely new realm of applications.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://www.polymaker.com/shop/polyflex/", "author": { "author_id": "Polymaker", @@ -1555,7 +1555,7 @@ "display_name": "PolyMax™ PLA", "description": "PolyMax™ PLA is a 3D printing material with excellent mechanical properties and printing quality. PolyMax™ PLA has an impact resistance of up to nine times that of regular PLA, and better overall mechanical properties than ABS.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://www.polymaker.com/shop/polymax/", "author": { "author_id": "Polymaker", @@ -1572,7 +1572,7 @@ "display_name": "PolyPlus™ PLA True Colour", "description": "PolyPlus™ PLA is a premium PLA designed for all desktop FDM/FFF 3D printers. It is produced with our patented Jam-Free™ technology that ensures consistent extrusion and prevents jams.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://www.polymaker.com/shop/polyplus-true-colour/", "author": { "author_id": "Polymaker", @@ -1589,7 +1589,7 @@ "display_name": "PolyWood™ PLA", "description": "PolyWood™ is a wood mimic printing material that contains no actual wood ensuring a clean Jam-Free™ printing experience.", "package_version": "1.0.1", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "http://www.polymaker.com/shop/polywood/", "author": { "author_id": "Polymaker", @@ -1606,7 +1606,7 @@ "display_name": "Ultimaker ABS", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1625,7 +1625,7 @@ "display_name": "Ultimaker Breakaway", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/breakaway", "author": { "author_id": "UltimakerPackages", @@ -1644,7 +1644,7 @@ "display_name": "Ultimaker CPE", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1663,7 +1663,7 @@ "display_name": "Ultimaker CPE+", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/cpe", "author": { "author_id": "UltimakerPackages", @@ -1682,7 +1682,7 @@ "display_name": "Ultimaker Nylon", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1701,7 +1701,7 @@ "display_name": "Ultimaker PC", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/pc", "author": { "author_id": "UltimakerPackages", @@ -1720,7 +1720,7 @@ "display_name": "Ultimaker PLA", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1739,7 +1739,7 @@ "display_name": "Ultimaker PP", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/pp", "author": { "author_id": "UltimakerPackages", @@ -1758,7 +1758,7 @@ "display_name": "Ultimaker PVA", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/abs", "author": { "author_id": "UltimakerPackages", @@ -1777,7 +1777,7 @@ "display_name": "Ultimaker TPU 95A", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/tpu-95a", "author": { "author_id": "UltimakerPackages", @@ -1796,7 +1796,7 @@ "display_name": "Ultimaker Tough PLA", "description": "Example package for material and quality profiles for Ultimaker materials.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://ultimaker.com/products/materials/tough-pla", "author": { "author_id": "UltimakerPackages", @@ -1815,7 +1815,7 @@ "display_name": "Vertex Delta ABS", "description": "ABS material and quality files for the Delta Vertex K8800.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", @@ -1832,7 +1832,7 @@ "display_name": "Vertex Delta PET", "description": "ABS material and quality files for the Delta Vertex K8800.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", @@ -1849,7 +1849,7 @@ "display_name": "Vertex Delta PLA", "description": "ABS material and quality files for the Delta Vertex K8800.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", @@ -1866,7 +1866,7 @@ "display_name": "Vertex Delta TPU", "description": "ABS material and quality files for the Delta Vertex K8800.", "package_version": "1.4.0", - "sdk_version": "7.8.0", + "sdk_version": "7.9.0", "website": "https://vertex3dprinter.eu", "author": { "author_id": "Velleman", diff --git a/resources/definitions/anycubic_i3_mega_s.def.json b/resources/definitions/anycubic_i3_mega_s.def.json index 577a7458c7..f73c57ce81 100644 --- a/resources/definitions/anycubic_i3_mega_s.def.json +++ b/resources/definitions/anycubic_i3_mega_s.def.json @@ -122,6 +122,7 @@ "support_xy_distance": { "value": "wall_line_width_0 * 2" }, "support_xy_distance_overhang": { "value": "wall_line_width_0" }, "support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height * 2" }, + "support_top_distance": { "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance') + (layer_height if support_structure == 'tree' else 0)"}, "support_xy_overrides_z": { "value": "'xy_overrides_z'" }, "support_wall_count": { "value": 1 }, "support_brim_enable": { "value": true }, diff --git a/resources/definitions/atom2.def.json b/resources/definitions/atom2.def.json index d7a26546d8..9ad42c0f36 100644 --- a/resources/definitions/atom2.def.json +++ b/resources/definitions/atom2.def.json @@ -22,8 +22,8 @@ "machine_heated_bed": { "default_value": false }, "machine_center_is_zero": { "default_value": true }, - "machine_start_gcode": { "default_value": "G21\nG90 \nM107\nG28\nG92 E0\nG1 F200 E3\nG92 E0" }, - "machine_end_gcode": { "default_value": "M104 S0\nG28\nG91\nG1 E-6 F300\nM84\nG90" }, + "machine_start_gcode": { "default_value": "G21\nG90 \nM107\nG28\nG1 Y-110 Z15\nG0 Z{layer_height_0}\nG92 E0\nG1 F200 Y-100 E6\nG92 E0" }, + "machine_end_gcode": { "default_value": "G28\nG91\nG1 E-6 F300\nM104 S0\nG1 E-1000 F5000\nM84\nG90" }, "layer_height": { "default_value": 0.2 }, "default_material_print_temperature": { "default_value": 210 }, diff --git a/resources/definitions/bfb.def.json b/resources/definitions/bfb.def.json index e88c8c792b..caee91291a 100644 --- a/resources/definitions/bfb.def.json +++ b/resources/definitions/bfb.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "BFB", "file_formats": "text/x-gcode", "platform_offset": [ 0, 0, 0], diff --git a/resources/definitions/creality_base.def.json b/resources/definitions/creality_base.def.json index 38becb0838..6aebd0db4e 100644 --- a/resources/definitions/creality_base.def.json +++ b/resources/definitions/creality_base.def.json @@ -245,7 +245,8 @@ "support_use_towers": { "value": false }, "support_xy_distance": { "value": "wall_line_width_0 * 2" }, "support_xy_distance_overhang": { "value": "wall_line_width_0" }, - "support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height*2" }, + "support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height * 2" }, + "support_top_distance": { "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance') + (layer_height if support_structure == 'tree' else 0)"}, "support_xy_overrides_z": { "value": "'xy_overrides_z'" }, "support_wall_count": { "value": 1 }, "support_brim_enable": { "value": true }, diff --git a/resources/definitions/eryone_er20.def.json b/resources/definitions/eryone_er20.def.json index 236ef63188..2f5f02d7db 100644 --- a/resources/definitions/eryone_er20.def.json +++ b/resources/definitions/eryone_er20.def.json @@ -48,10 +48,10 @@ }, "gantry_height":{ "value": "0" }, "machine_start_gcode": { - "default_value": "G90 ; use absolute coordinates\nM140 S[first_layer_bed_temperature] ; set bed temp\nM190 S[first_layer_bed_temperature] ; wait for bed temp\nG28 ; home all without mesh bed level\nG29 ; mesh bed leveling/ABL\nM104 S[first_layer_temperature] ; set extruder temp\nG92 E0.0\nG1 Y-2.0 X150 F2400G1 Z3 F720\nM109 S[first_layer_temperature] ; wait for extruder temp\nG1 X150 F1000\nG1 Z0.2 F720\nG1 X80.0 E8.0 F900\nG1 X20.0 E10.0 F700\nG92 E0.0\nM221 S95 ; set flow\n" + "default_value": "G21 ;Metric values\nG90 ;Absolute positioning\nM82 ;Set extruder to absolute mode\nM107 ;Start with the fan off\nG28 ;Homing the hotend\nG29 ;Auto bed leveling detecting\nG92 E0 ;Reset the extruded length\nG1 F200 E3 ;Extrude 3mm of filament\nG92 E0 ;Reset the extruded length again\nG1 Y-3 F1200 ;Move y axis to prime\nG1 X150 F6000 ;Move x axis to prime\nG1 Z0.2 F720 ;Move z axis to prime\nG1 X80.0 E8.0 F900 ;Prime line\nG1 X20.0 E10.0 F700 ;Prime line\nG92 E0 ;Reset the extruded length\nG5 ;Enable resume from power failure\nM117 Printing...\n" }, "machine_end_gcode": { - "default_value": "M104 S0 ; turn off extruder\nM140 S0 ; turn off bed\nM84 ; disable motors\nM107\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 ;X-20 Y-20 F{speed_travel} ;move Z up a bit and retract filament even more\nG28 X0 ;Y0 ;move X/Y to min endstops, so the head is out of the way\nG1 Y180 F2000\nM84 ;steppers off\nG90\nM300 P300 S4000" + "default_value": "G91 ;Relative positioning\nG1 Z5 F720 ;Raise Z\nG1 E-5 F300 ;Retract a bit to protect nozzle\nM104 S0 ;Turn off extruder\nM140 S0 ;Turn off bed\nM107 ;Turn off all fans\nG90 ;Absolute positioning\nG1 X230 Y200 F4800 ;Parking the hotend\nM84 X Y E ;All steppers off but left Z\n" }, "material_print_temperature": { "value": 205 diff --git a/resources/definitions/eryone_thinker.def.json b/resources/definitions/eryone_thinker.def.json index a89ae76bcb..34e333f9cc 100644 --- a/resources/definitions/eryone_thinker.def.json +++ b/resources/definitions/eryone_thinker.def.json @@ -54,7 +54,7 @@ "value": 30 }, "machine_gcode_flavor": { - "default_value": "Marlin" + "default_value": "RepRap (Marlin/Sprinter)" }, "machine_start_gcode": { "default_value": "G21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to min endstops\nG1 Z10.0 F600 ;move the platform down 10mm\nG92 E0 ;zero the extruded length\nG1 F200 E3 ;extrude 3mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 Y-3 F1200 ;move to prime\nG1 X10 F1200 ;\nG1 Z0.1 F600 ;get ready to prime\nG1 X120 E15 F1200 ;prime nozzle \nG1 X120 F3600 ;quick wipe\nG92 E0 ;zero the extruded length\nM413 S1 ;enable resume from power failure\nM117 Printing..." @@ -62,6 +62,112 @@ "machine_end_gcode": { "default_value": "M104 S0 ;turn off extruder\nM140 S0 ;turn off bed\nM107 ;turn off all fans\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 ;move Z up a bit and retract filament even more\nG90 ;absolute positioning\nG1 X0 Y250 F4800 ; position for easy part removal\nM84 ;steppers off" }, + "layer_height": { + "value": 0.2 + }, + "layer_height_0": { + "resolve": "max(0.1, layer_height)" + }, + "initial_layer_line_width_factor": { + "value": 120 + }, + "wall_line_count": { + "value": 3 + }, + "wall_thickness": { + "value": "line_width * wall_line_count" + }, + "optimize_wall_printing_order": { + "default_value": true + }, + "z_seam_type": { + "value": "'shortest'" + }, + "z_seam_corner": { + "value": "'z_seam_corner_inner'" + }, + "roofing_layer_count": { + "value": 1 + }, + "top_layers": { + "value": 6 + }, + "top_thickness":{ + "value": "layer_height * top_layers" + }, + "bottom_layers": { + "value": 4 + }, + "bottom_thickness":{ + "value": "layer_height * bottom_layers" + }, + "skin_overlap": { + "value": 10 + }, + "infill_sparse_density": { + "value": 20 + }, + "infill_pattern": { + "value": "'lines' if infill_sparse_density > 25 else 'grid'" + }, + "infill_overlap": { + "value": "25 if infill_sparse_density < 95 and infill_pattern != 'concentric' else 0" + }, + "infill_before_walls": { + "value": false + }, + "inset_direction": { + "default_value": "inside_out" + }, + "material_print_temperature": { + "value": "default_material_print_temperature", + "maximum_value_warning": 250 + }, + "material_print_temperature_layer_0": { + "value": "material_print_temperature + 5", + "maximum_value_warning": 250 + }, + "material_initial_print_temperature": { + "value": "material_print_temperature", + "maximum_value_warning": 250 + }, + "material_final_print_temperature": { + "value": "material_print_temperature" + }, + "material_bed_temperature": { + "value": "default_material_bed_temperature", + "maximum_value_warning": 100 + }, + "material_bed_temperature_layer_0": { + "value": "material_bed_temperature" + }, + "speed_infill": { + "value": "speed_print" + }, + "speed_wall": { + "value": "speed_print" + }, + "speed_wall_0": { + "value": "math.ceil(speed_print * 30 / 50)" + }, + "speed_wall_x": { + "value": "speed_print" + }, + "speed_topbottom": { + "value": "math.ceil(speed_print * 20 / 50)" + }, + "speed_travel": { + "value": "speed_print if magic_spiralize else 120" + }, + "speed_layer_0": { + "value": "math.ceil(speed_print * 30 / 50)" + }, + "skirt_brim_speed": { + "value": "math.ceil(speed_print * 40 / 60)" + }, + "speed_z_hop": { + "value": "math.ceil(speed_print * 30 / 60)" + }, "acceleration_enabled": { "value": true }, @@ -71,38 +177,6 @@ "acceleration_travel": { "value": 1500 }, - "adhesion_type": { - "value": "'skirt'" - }, - "brim_width": { - "value": 5 - }, - "cool_fan_full_at_height": { - "value": 0.5 - }, - "cool_fan_speed": { - "value": 100 - }, - "cool_fan_speed_0": { - "value": 0 - }, - "infill_overlap": { - "value": "25 if infill_sparse_density < 95 and infill_pattern != 'concentric' else 0", - "maximum_value_warning": 100, - "minimum_value_warning": -50 - }, - "infill_pattern": { - "value": "'lines' if infill_sparse_density > 25 else 'grid'" - }, - "infill_sparse_density": { - "value": 20 - }, - "initial_layer_line_width_factor": { - "value": 120 - }, - "infill_before_walls": { - "value": false - }, "jerk_enabled": { "value": true }, @@ -112,35 +186,11 @@ "jerk_travel": { "value": 15 }, - "material_bed_temperature": { - "maximum_value_warning": 100 - }, - "material_print_temperature": { - "maximum_value_warning": 250 - }, - "optimize_wall_printing_order": { - "default_value": true - }, - "inset_direction": { - "default_value": "inside_out" - }, "retract_at_layer_change": { "value": true }, "retraction_amount": { - "default_value": 4 - }, - "retraction_hop": { - "value": 0.075 - }, - "retraction_hop_enabled": { - "value": false - }, - "retraction_hop_only_when_collides": { - "value": true - }, - "retraction_min_travel": { - "value": 1.5 + "default_value": 4.5 }, "retraction_speed": { "default_value": 85, @@ -153,101 +203,56 @@ "value": "math.ceil(retraction_speed * 0.4)", "maximum_value_warning": 130 }, + "retraction_min_travel": { + "value": "max(line_width * 2, 1.5)" + }, "retraction_combing": { "value": "'off' if retraction_hop_enabled else 'noskin'" }, - "skin_overlap": { - "value": 10 - }, - "skirt_brim_speed": { - "value": "math.ceil(speed_print * 40 / 60)" - }, - "skirt_gap": { - "value": 5 - }, - "skirt_line_count": { - "value": 3 - }, - "speed_infill": { - "value": "speed_print" - }, - "speed_topbottom": { - "value": "math.ceil(speed_print * 20 / 50)" - }, - "speed_travel": { - "value": "120" - }, - "speed_layer_0": { - "value": "math.ceil(speed_print * 30 / 50)" - }, - "speed_wall": { - "value": "speed_print" - }, - "speed_wall_0": { - "value": "math.ceil(speed_print * 30 / 50)" - }, - "speed_wall_x": { - "value": "speed_print" - }, - "support_angle": { - "value": 50 - }, - "support_enable": { - "default_value": false - }, - "support_interface_enable": { - "value": true - }, - "support_pattern": { - "value": "'triangles'" - }, - "support_roof_enable": { - "value": true - }, - "support_type": { - "value": "'everywhere'" - }, - "support_use_towers": { - "value": false - }, - "support_z_distance": { - "value": 0.3 - }, - "support_xy_distance": { - "value": 0.7 - }, - "support_xy_distance_overhang": { - "value": 0.2 - }, - "smooth_spiralized_contours": { - "value": false - }, "travel_retract_before_outer_wall": { "value": true }, - "wall_line_count": { + "retraction_hop_enabled": { + "value": false + }, + "retraction_hop_only_when_collides": { + "value": true + }, + "retraction_hop": { + "value": 0.1 + }, + "support_pattern": { + "value": "'triangles'" + }, + "support_z_distance": { + "value": 0.3 + }, + "support_interface_enable": { + "value": true + }, + "support_roof_enable": { + "value": true + }, + "support_use_towers": { + "value": false + }, + "adhesion_type": { + "value": "'skirt'" + }, + "skirt_line_count": { "value": 3 - }, - "wall_thickness": { - "value": "line_width * wall_line_count" }, - "bottom_layers": { - "value": "4" + "skirt_gap": { + "value": 5 }, - "bottom_thickness":{ - "value": "layer_height * bottom_layers" + "brim_width": { + "value": 5 }, - "top_layers": { - "value": "6" + "smooth_spiralized_contours": { + "value": false }, - "top_thickness":{ - "value": "layer_height * top_layers" - }, - "z_seam_type": { - "value": "'shortest'" - }, - "z_seam_corner": { - "value": "'z_seam_corner_inner'" + "roofing_monotonic": { + "value": true } } } \ No newline at end of file diff --git a/resources/definitions/fdmextruder.def.json b/resources/definitions/fdmextruder.def.json index ff8c410c5b..f25aed5d5b 100644 --- a/resources/definitions/fdmextruder.def.json +++ b/resources/definitions/fdmextruder.def.json @@ -6,7 +6,7 @@ "type": "extruder", "author": "Ultimaker", "manufacturer": "Unknown", - "setting_version": 18, + "setting_version": 19, "visible": false, "position": "0" }, diff --git a/resources/definitions/fdmprinter.def.json b/resources/definitions/fdmprinter.def.json index 10517b5c60..4008b2f059 100644 --- a/resources/definitions/fdmprinter.def.json +++ b/resources/definitions/fdmprinter.def.json @@ -4,9 +4,9 @@ "metadata": { "type": "machine", - "author": "Ultimaker", + "author": "Unknown", "manufacturer": "Unknown", - "setting_version": 18, + "setting_version": 19, "file_formats": "text/x-gcode;model/stl;application/x-wavefront-obj;application/x3g", "visible": false, "has_materials": true, @@ -1056,6 +1056,7 @@ "minimum_value": "0", "minimum_value_warning": "line_width", "maximum_value_warning": "10 * line_width", + "maximum_value": "999999 * line_width", "type": "float", "limit_to_extruder": "wall_x_extruder_nr", "settable_per_mesh": true, @@ -1069,6 +1070,7 @@ "minimum_value": "0", "minimum_value_warning": "1", "maximum_value_warning": "10", + "maximum_value": "999999", "type": "int", "value": "1 if magic_spiralize else max(1, round((wall_thickness - wall_line_width_0) / wall_line_width_x) + 1) if wall_thickness != 0 else 0", "limit_to_extruder": "wall_x_extruder_nr", @@ -1613,6 +1615,7 @@ "default_value": 1, "minimum_value": "0", "maximum_value_warning": "10", + "maximum_value": "999999", "type": "int", "enabled": "(top_layers > 0 or bottom_layers > 0) and (top_bottom_pattern != 'concentric' or top_bottom_pattern_0 != 'concentric' or (roofing_layer_count > 0 and roofing_pattern != 'concentric'))", "limit_to_extruder": "top_bottom_extruder_nr", @@ -2055,6 +2058,7 @@ "default_value": 0, "type": "int", "minimum_value": "0", + "maximum_value": "999999", "enabled": "infill_sparse_density > 0", "limit_to_extruder": "infill_extruder_nr", "settable_per_mesh": true @@ -2139,9 +2143,9 @@ "default_value": 0, "type": "int", "minimum_value": "0", - "maximum_value_warning": "1 if (infill_pattern == 'cross' or infill_pattern == 'cross_3d' or support_pattern == 'concentric') else 5", + "maximum_value_warning": "1 if (infill_pattern == 'cross' or infill_pattern == 'cross_3d' or infill_pattern == 'concentric') else 5", "maximum_value": "999999 if infill_line_distance == 0 else (20 - math.log(infill_line_distance) / math.log(2))", - "enabled": "infill_pattern != 'lightning' and infill_sparse_density > 0 and infill_pattern != 'cubicsubdiv'", + "enabled": "infill_sparse_density > 0 and infill_pattern not in ['cubicsubdiv', 'cross', 'cross_3d', 'lightning']", "limit_to_extruder": "infill_extruder_nr", "settable_per_mesh": true }, @@ -2154,7 +2158,7 @@ "default_value": 1.5, "minimum_value": "0.0001", "minimum_value_warning": "3 * resolveOrValue('layer_height')", - "enabled": "infill_pattern != 'lightning' and infill_sparse_density > 0 and gradual_infill_steps > 0 and infill_pattern != 'cubicsubdiv'", + "enabled": "infill_sparse_density > 0 and gradual_infill_steps > 0 and infill_pattern not in ['cubicsubdiv', 'cross', 'cross_3d', 'lightning']", "limit_to_extruder": "infill_extruder_nr", "settable_per_mesh": true }, @@ -2508,7 +2512,42 @@ "maximum_value_warning": "120", "settable_per_mesh": false, "settable_per_extruder": false, - "resolve": "sum(extruderValues(\"material_shrinkage_percentage\")) / len(extruderValues(\"material_shrinkage_percentage\"))" + "resolve": "sum(extruderValues(\"material_shrinkage_percentage\")) / len(extruderValues(\"material_shrinkage_percentage\"))", + "children": + { + "material_shrinkage_percentage_xy": + { + "label": "Horizontal Scaling Factor Shrinkage Compensation", + "description": "To compensate for the shrinkage of the material as it cools down, the model will be scaled with this factor in the XY-direction (horizontally).", + "unit": "%", + "type": "float", + "default_value": 100.0, + "enabled": false, + "minimum_value": "0.001", + "minimum_value_warning": "100", + "maximum_value_warning": "120", + "settable_per_mesh": false, + "settable_per_extruder": false, + "resolve": "sum(extruderValues(\"material_shrinkage_percentage_xy\")) / len(extruderValues(\"material_shrinkage_percentage_xy\"))", + "value": "material_shrinkage_percentage" + }, + "material_shrinkage_percentage_z": + { + "label": "Vertical Scaling Factor Shrinkage Compensation", + "description": "To compensate for the shrinkage of the material as it cools down, the model will be scaled with this factor in the Z-direction (vertically).", + "unit": "%", + "type": "float", + "default_value": 100.0, + "enabled": false, + "minimum_value": "0.001", + "minimum_value_warning": "100", + "maximum_value_warning": "120", + "settable_per_mesh": false, + "settable_per_extruder": false, + "resolve": "sum(extruderValues(\"material_shrinkage_percentage_z\")) / len(extruderValues(\"material_shrinkage_percentage_z\"))", + "value": "material_shrinkage_percentage" + } + } }, "material_crystallinity": { @@ -4491,6 +4530,7 @@ "minimum_value": "0", "minimum_value_warning": "1 if support_pattern == 'concentric' else 0", "maximum_value_warning": "0 if (support_skip_some_zags and support_pattern == 'zigzag') else 3", + "maximum_value": "999999", "type": "int", "value": "1 if support_enable and support_structure == 'tree' else (1 if (support_pattern == 'grid' or support_pattern == 'triangles' or support_pattern == 'concentric') else 0)", "enabled": "support_enable or support_meshes_present", @@ -4601,6 +4641,7 @@ "default_value": 8.0, "minimum_value": "0.0", "maximum_value_warning": "50.0", + "maximum_value": "0.5 * min(machine_width, machine_depth)", "enabled": "(support_enable or support_meshes_present) and support_brim_enable", "settable_per_mesh": false, "settable_per_extruder": true, @@ -4615,6 +4656,7 @@ "default_value": 20, "minimum_value": "0", "maximum_value_warning": "50 / skirt_brim_line_width", + "maximum_value": "0.5 * min(machine_width, machine_depth) / skirt_brim_line_width", "value": "math.ceil(support_brim_width / (skirt_brim_line_width * initial_layer_line_width_factor / 100.0))", "enabled": "(support_enable or support_meshes_present) and support_brim_enable", "settable_per_mesh": false, @@ -4647,7 +4689,7 @@ "default_value": 0.1, "type": "float", "enabled": "support_enable or support_meshes_present", - "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance')", + "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance') + (layer_height if support_structure == 'tree' else 0)", "limit_to_extruder": "support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr", "settable_per_mesh": true }, @@ -5378,6 +5420,7 @@ "default_value": 1, "minimum_value": "0", "maximum_value_warning": "10", + "maximum_value": "0.5 * min(machine_width, machine_depth) / skirt_brim_line_width", "enabled": "resolveOrValue('adhesion_type') == 'skirt'", "settable_per_mesh": false, "settable_per_extruder": true, @@ -7528,8 +7571,7 @@ "unit": "%", "default_value": 100, "type": "float", - "minimum_value": "5", - "maximum_value": "500", + "minimum_value": "0.0001", "minimum_value_warning": "50", "maximum_value_warning": "150", "enabled": "bridge_settings_enabled and bridge_enable_more_layers", @@ -7542,9 +7584,9 @@ "unit": "%", "default_value": 75, "type": "float", - "minimum_value": "5", - "maximum_value": "100", + "minimum_value": "0", "minimum_value_warning": "20", + "maximum_value_warning": "100", "enabled": "bridge_settings_enabled and bridge_enable_more_layers", "settable_per_mesh": true }, @@ -7581,8 +7623,7 @@ "unit": "%", "default_value": 110, "type": "float", - "minimum_value": "5", - "maximum_value": "500", + "minimum_value": "0.001", "minimum_value_warning": "50", "maximum_value_warning": "150", "enabled": "bridge_settings_enabled and bridge_enable_more_layers", @@ -7595,9 +7636,9 @@ "unit": "%", "default_value": 80, "type": "float", - "minimum_value": "5", - "maximum_value": "100", + "minimum_value": "0", "minimum_value_warning": "20", + "maximum_value_warning": "100", "enabled": "bridge_settings_enabled and bridge_enable_more_layers", "settable_per_mesh": true }, @@ -7866,6 +7907,16 @@ "maximum_value_warning": "100", "settable_per_mesh": true }, + "material_alternate_walls": + { + "label": "Alternate Wall Directions", + "description": "Alternate wall directions every other layer and inset. Useful for materials that can build up stress, like for metal printing.", + "type": "bool", + "default_value": false, + "enabled": false, + "settable_per_mesh": true, + "settable_per_extruder": true + }, "raft_remove_inside_corners": { "label": "Remove Raft Inside Corners", diff --git a/resources/definitions/hellbot_magna_2_230_dual.def.json b/resources/definitions/hellbot_magna_2_230_dual.def.json index b7a0e6f820..7768f51ac0 100644 --- a/resources/definitions/hellbot_magna_2_230_dual.def.json +++ b/resources/definitions/hellbot_magna_2_230_dual.def.json @@ -37,9 +37,15 @@ }, "machine_extruder_count": { "default_value": 2 + }, + "machine_extruders_share_heater": { + "default_value": true + }, + "machine_extruders_share_nozzle": { + "default_value": true }, "machine_start_gcode": { - "default_value": "G21\nG90\nM107\nG28 X0 Y0\nG28 Z0\nG1 Z15.0 F300\nT0\nG92 E0\nG1 F700 E-80\nT1\nG92 E0\nG1 F1000 X1 Y1 Z0.3\nG1 F600 X200 E60\nG1 F1000 Y3\nG1 F600 X1 E120\nT1\nG92 E0\nG28 X0 Y0\nG1 F700 E-80\nT0\nG92 E0" + "default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0" }, "machine_end_gcode": { "default_value": "M104 T0 S0\nM104 T1 S0\nM140 S0\nG92 E1\nG1 E-1 F300\nG28 X0 Y0\nM84" diff --git a/resources/definitions/hellbot_magna_2_300_dual.def.json b/resources/definitions/hellbot_magna_2_300_dual.def.json index 52efac0ed2..ed22bfa079 100644 --- a/resources/definitions/hellbot_magna_2_300_dual.def.json +++ b/resources/definitions/hellbot_magna_2_300_dual.def.json @@ -37,9 +37,15 @@ }, "machine_extruder_count": { "default_value": 2 + }, + "machine_extruders_share_heater": { + "default_value": true + }, + "machine_extruders_share_nozzle": { + "default_value": true }, "machine_start_gcode": { - "default_value": "G21\nG90\nM107\nG28 X0 Y0\nG28 Z0\nG1 Z15.0 F300\nT0\nG92 E0\nG1 F700 E-80\nT1\nG92 E0\nG1 F1000 X1 Y1 Z0.3\nG1 F600 X200 E60\nG1 F1000 Y3\nG1 F600 X1 E120\nT1\nG92 E0\nG28 X0 Y0\nG1 F700 E-80\nT0\nG92 E0" + "default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0" }, "machine_end_gcode": { "default_value": "M104 T0 S0\nM104 T1 S0\nM140 S0\nG92 E1\nG1 E-1 F300\nG28 X0 Y0\nM84" diff --git a/resources/definitions/hellbot_magna_2_400_dual.def.json b/resources/definitions/hellbot_magna_2_400_dual.def.json index 963a7f7bc1..2dbdb1f6ca 100644 --- a/resources/definitions/hellbot_magna_2_400_dual.def.json +++ b/resources/definitions/hellbot_magna_2_400_dual.def.json @@ -38,6 +38,12 @@ "machine_extruder_count": { "default_value": 2 }, + "machine_extruders_share_heater": { + "default_value": true + }, + "machine_extruders_share_nozzle": { + "default_value": true + }, "machine_start_gcode": { "default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0" }, diff --git a/resources/definitions/hellbot_magna_2_500_dual.def.json b/resources/definitions/hellbot_magna_2_500_dual.def.json index 5b3f05ec4d..ba7f18d702 100644 --- a/resources/definitions/hellbot_magna_2_500_dual.def.json +++ b/resources/definitions/hellbot_magna_2_500_dual.def.json @@ -37,6 +37,12 @@ }, "machine_extruder_count": { "default_value": 2 + }, + "machine_extruders_share_heater": { + "default_value": true + }, + "machine_extruders_share_nozzle": { + "default_value": true }, "machine_start_gcode": { "default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0" diff --git a/resources/definitions/hellbot_magna_SE.def.json b/resources/definitions/hellbot_magna_SE.def.json new file mode 100644 index 0000000000..7420eaee63 --- /dev/null +++ b/resources/definitions/hellbot_magna_SE.def.json @@ -0,0 +1,41 @@ +{ + "version": 2, + "name": "Hellbot Magna SE", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Hellbot Development Team", + "manufacturer": "Hellbot", + "file_formats": "text/x-gcode", + "platform": "hellbot_magna_SE.obj", + "platform_texture": "hellbot_magna_SE.png", + "has_materials": true, + "machine_extruder_trains": + { + "0": "hellbot_magna_SE_extruder" + } + + }, + + "overrides": { + "machine_name": { "default_value": "Hellbot Magna SE" }, + "machine_width": { + "default_value": 230 + }, + "machine_depth": { + "default_value": 230 + }, + "machine_height": { + "default_value": 250 + }, + "machine_heated_bed": { + "default_value": true + }, + "machine_center_is_zero": { + "default_value": false + }, + "machine_extruder_count": { + "default_value": 1 + } + } +} diff --git a/resources/definitions/julia.def.json b/resources/definitions/julia.def.json index 43c62a46b2..2055191e61 100644 --- a/resources/definitions/julia.def.json +++ b/resources/definitions/julia.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "Fracktal", "file_formats": "text/x-gcode", "platform_offset": [ 0, 0, 0], diff --git a/resources/definitions/makerbotreplicator.def.json b/resources/definitions/makerbotreplicator.def.json index 24b556e1ee..6977ee8f5c 100644 --- a/resources/definitions/makerbotreplicator.def.json +++ b/resources/definitions/makerbotreplicator.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "MakerBot", "machine_x3g_variant": "r1", "file_formats": "application/x3g", diff --git a/resources/definitions/ord.def.json b/resources/definitions/ord.def.json index 4a550602f2..0701133e54 100644 --- a/resources/definitions/ord.def.json +++ b/resources/definitions/ord.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "ORD Solutions", "file_formats": "text/x-gcode", "machine_extruder_trains": diff --git a/resources/definitions/punchtec_connect_xl.def.json b/resources/definitions/punchtec_connect_xl.def.json index 9bae80b0ac..cda6caa1f6 100644 --- a/resources/definitions/punchtec_connect_xl.def.json +++ b/resources/definitions/punchtec_connect_xl.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "Punchtec", "file_formats": "text/x-gcode", "machine_extruder_trains": diff --git a/resources/definitions/robo_3d_r1.def.json b/resources/definitions/robo_3d_r1.def.json index 5ef21cef8b..0187d13dd0 100644 --- a/resources/definitions/robo_3d_r1.def.json +++ b/resources/definitions/robo_3d_r1.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "Robo 3D", "file_formats": "text/x-gcode", "platform_offset": [ 0, 0, 0], diff --git a/resources/definitions/sh65.def.json b/resources/definitions/sh65.def.json new file mode 100644 index 0000000000..d26898d9dd --- /dev/null +++ b/resources/definitions/sh65.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic SH65", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "SH65_platform.STL", + "has_materials": true, + "has_machine_quality": true, + "machine_extruder_trains":{"0": "sh65_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC SH65" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 650 }, + "machine_height": { "default_value": 300 }, + "machine_depth": { "default_value": 300 }, + "machine_center_is_zero": { "default_value": false }, + "material_diameter": { "default_value": 1.75 }, + "machine_nozzle_size": { "default_value": 0.4 }, + "layer_height": { "default_value": 0.1 }, + "layer_height_0": { "default_value": 0.1 }, + "retraction_amount": { "default_value": 2.40 }, + "retraction_speed": { "default_value": 30 }, + "adhesion_type": { "default_value": "none" }, + "infill_sparse_density": { "default_value": 25 }, + "fill_outline_gaps": { "default_value": true }, + "retract_at_layer_change": { "default_value": true }, + "retraction_combing_max_distance": { "default_value": 200 }, + "machine_head_with_fans_polygon": { "default_value": [[-38,30],[38,30],[38,-40],[-38,-40]] }, + "machine_max_feedrate_z": { "default_value": 30 }, + "machine_max_feedrate_e": { "default_value": 60 }, + "machine_max_acceleration_z": { "default_value": 500 }, + "machine_acceleration": { "default_value": 2000 }, + "machine_max_jerk_xy": { "default_value": 10 }, + "machine_max_jerk_z": { "default_value": 0.4 }, + "machine_max_jerk_e": { "default_value": 5 }, + "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" }, + "machine_start_gcode": { + "default_value": "M117 Demarrage\nM106 S0\nM140 S{material_bed_temperature_layer_0}\nM104 T0 S{material_print_temperature_layer_0}\nG28\nG90\nM82\nG92 E0\nG1 Z3 F600\n;M190 S{material_bed_temperature_layer_0}\nM109 T0 S{material_print_temperature_layer_0}\nM300 P350\nM117 Purge\nG1 Z0.15 F600\nG1 E10 F400\nG92 E0\nM117 Impression" + }, + "machine_end_gcode": { + "default_value": "M107\nG91\nT0\nG1 E-1\nM104 T0 S0\nG90\nG0 X1 Y190 F5000\nG92 E0\nM140 S0\nM84\nM300" + } + } +} diff --git a/resources/definitions/snapmaker2.def.json b/resources/definitions/snapmaker2.def.json index e4ad7e19df..2c749d2b1b 100644 --- a/resources/definitions/snapmaker2.def.json +++ b/resources/definitions/snapmaker2.def.json @@ -26,7 +26,7 @@ "default_value": true }, "machine_start_gcode": { - "default_value": "M104 S{material_print_temperature} ;Set Hotend Temperature\nM140 S{material_bed_temperature} ;Set Bed Temperature\nG28 ;home\nG90 ;absolute positioning\nG1 X-10 Y-10 F3000 ;Move to corner \nG1 Z0 F1800 ;Go to zero offset\nM109 S{material_print_temperature} ;Wait for Hotend Temperature\nM190 S{material_bed_temperature} ;Wait for Bed Temperature\nG92 E0 ;Zero set extruder position\nG1 E20 F200 ;Feed filament to clear nozzle\nG92 E0 ;Zero set extruder position" + "default_value": "M104 S{material_print_temperature_layer_0} ;Set Hotend Temperature\nM140 S{material_bed_temperature_layer_0} ;Set Bed Temperature\nG28 ;home\nG90 ;absolute positioning\nG1 X-10 Y-10 F3000 ;Move to corner \nG1 Z0 F1800 ;Go to zero offset\nM109 S{material_print_temperature_layer_0} ;Wait for Hotend Temperature\nM190 S{material_bed_temperature_layer_0} ;Wait for Bed Temperature\nG92 E0 ;Zero set extruder position\nG1 E20 F200 ;Feed filament to clear nozzle\nG92 E0 ;Zero set extruder position" }, "machine_end_gcode": { "default_value": "M104 S0 ;Extruder heater off\nM140 S0 ;Heated bed heater off\nG90 ;absolute positioning\nG92 E0 ;Retract the filament\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z{machine_width} E-1 F3000 ;move Z up a bit and retract filament even more\nG1 X0 F3000 ;move X to min endstops, so the head is out of the way\nG1 Y{machine_depth} F3000 ;so the head is out of the way and Plate is moved forward" diff --git a/resources/definitions/stream30mk3.def.json b/resources/definitions/stream30mk3.def.json new file mode 100644 index 0000000000..13a2571f02 --- /dev/null +++ b/resources/definitions/stream30mk3.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic Stream30Pro MK3", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "STREAM30ULTRA_platform.STL", + "has_materials": true, + "has_machine_quality": true, + "machine_extruder_trains":{"0": "stream30mk3_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM30PRO MK3" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 300 }, + "machine_height": { "default_value": 310 }, + "machine_depth": { "default_value": 200 }, + "machine_center_is_zero": { "default_value": false }, + "material_diameter": { "default_value": 1.75 }, + "machine_nozzle_size": { "default_value": 0.4 }, + "layer_height": { "default_value": 0.1 }, + "layer_height_0": { "default_value": 0.1 }, + "retraction_amount": { "default_value": 2.40 }, + "retraction_speed": { "default_value": 30 }, + "adhesion_type": { "default_value": "none" }, + "infill_sparse_density": { "default_value": 25 }, + "fill_outline_gaps": { "default_value": true }, + "retract_at_layer_change": { "default_value": true }, + "retraction_combing_max_distance": { "default_value": 200 }, + "machine_head_with_fans_polygon": { "default_value": [[-38,30],[38,30],[38,-40],[-38,-40]] }, + "machine_max_feedrate_z": { "default_value": 30 }, + "machine_max_feedrate_e": { "default_value": 60 }, + "machine_max_acceleration_z": { "default_value": 500 }, + "machine_acceleration": { "default_value": 2000 }, + "machine_max_jerk_xy": { "default_value": 10 }, + "machine_max_jerk_z": { "default_value": 0.4 }, + "machine_max_jerk_e": { "default_value": 5 }, + "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" }, + "machine_start_gcode": { + "default_value": "M117 Demarrage\nM106 S0\nM140 S{material_bed_temperature_layer_0}\nM104 T0 S{material_print_temperature_layer_0}\nG28\nG90\nM82\nG92 E0\nG1 Z3 F600\n;M190 S{material_bed_temperature_layer_0}\nM109 T0 S{material_print_temperature_layer_0}\nM300 P350\nM117 Purge\nG1 Z0.15 F600\nG1 E10 F400\nG92 E0\nM117 Impression" + }, + "machine_end_gcode": { + "default_value": "M107\nG91\nT0\nG1 E-1\nM104 T0 S0\nG90\nG0 X1 Y190 F5000\nG92 E0\nM140 S0\nM84\nM300" + } + } +} diff --git a/resources/definitions/stream30ultrasc2.def.json b/resources/definitions/stream30ultrasc2.def.json new file mode 100644 index 0000000000..b1994044cf --- /dev/null +++ b/resources/definitions/stream30ultrasc2.def.json @@ -0,0 +1,51 @@ +{ + "version": 2, + "name": "Volumic Stream30Ultra SC2", + "inherits": "fdmprinter", + "metadata": { + "visible": true, + "author": "Volumic", + "manufacturer": "Volumic", + "file_formats": "text/x-gcode", + "icon": "volumic-icon", + "platform": "STREAM30ULTRA_platform.STL", + "has_materials": true, + "has_machine_quality": true, + "machine_extruder_trains":{"0": "stream30ultrasc2_extruder"} + }, + + "overrides": { + "machine_name": { "default_value": "VOLUMIC STREAM30ULTRA SC2" }, + "machine_heated_bed": { "default_value": true }, + "machine_width": { "default_value": 300 }, + "machine_height": { "default_value": 310 }, + "machine_depth": { "default_value": 200 }, + "machine_center_is_zero": { "default_value": false }, + "material_diameter": { "default_value": 1.75 }, + "machine_nozzle_size": { "default_value": 0.4 }, + "layer_height": { "default_value": 0.1 }, + "layer_height_0": { "default_value": 0.1 }, + "retraction_amount": { "default_value": 2.40 }, + "retraction_speed": { "default_value": 30 }, + "adhesion_type": { "default_value": "none" }, + "infill_sparse_density": { "default_value": 25 }, + "fill_outline_gaps": { "default_value": true }, + "retract_at_layer_change": { "default_value": true }, + "retraction_combing_max_distance": { "default_value": 200 }, + "machine_head_with_fans_polygon": { "default_value": [[-38,30],[38,30],[38,-40],[-38,-40]] }, + "machine_max_feedrate_z": { "default_value": 30 }, + "machine_max_feedrate_e": { "default_value": 60 }, + "machine_max_acceleration_z": { "default_value": 500 }, + "machine_acceleration": { "default_value": 2000 }, + "machine_max_jerk_xy": { "default_value": 10 }, + "machine_max_jerk_z": { "default_value": 0.4 }, + "machine_max_jerk_e": { "default_value": 5 }, + "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" }, + "machine_start_gcode": { + "default_value": "M117 Demarrage\nM106 S0\nM140 S{material_bed_temperature_layer_0}\nM104 T0 S{material_print_temperature_layer_0}\nG28\nG90\nM82\nG92 E0\nG1 Z3 F600\n;M190 S{material_bed_temperature_layer_0}\nM109 T0 S{material_print_temperature_layer_0}\nM300 P350\nM117 Purge\nG1 Z0.15 F600\nG1 E10 F400\nG92 E0\nM117 Impression" + }, + "machine_end_gcode": { + "default_value": "M107\nG91\nT0\nG1 E-1\nM104 T0 S0\nG90\nG0 X1 Y190 F5000\nG92 E0\nM140 S0\nM84\nM300" + } + } +} diff --git a/resources/definitions/ultimaker2_plus_connect.def.json b/resources/definitions/ultimaker2_plus_connect.def.json index e802c5a055..ba29cc36bd 100644 --- a/resources/definitions/ultimaker2_plus_connect.def.json +++ b/resources/definitions/ultimaker2_plus_connect.def.json @@ -81,7 +81,7 @@ "material_bed_temperature_layer_0": { "maximum_value": 110 }, "material_print_temperature": { "maximum_value": 260 }, "meshfix_maximum_resolution": { "value": "(speed_wall_0 + speed_wall_x) / 60" }, - "meshfix_maximum_deviation": { "value": "layer_height / 4" }, + "meshfix_maximum_deviation": { "value": "layer_height / 4" }, "meshfix_maximum_travel_resolution": { "value": 0.5 }, "prime_blob_enable": { "enabled": true, "default_value": true, "value": "resolveOrValue('print_sequence') != 'one_at_a_time'" } } diff --git a/resources/definitions/zone3d_printer.def.json b/resources/definitions/zone3d_printer.def.json index 4c72422788..8939043e05 100644 --- a/resources/definitions/zone3d_printer.def.json +++ b/resources/definitions/zone3d_printer.def.json @@ -4,7 +4,6 @@ "inherits": "fdmprinter", "metadata": { "visible": true, - "author": "Ultimaker", "manufacturer": "Zone3D", "file_formats": "text/x-gcode", "platform_offset": [ 0, 0, 0], diff --git a/resources/extruders/eryone_er20_extruder_0.def.json b/resources/extruders/eryone_er20_extruder_0.def.json index 9b1c1fa435..4dcf363af9 100644 --- a/resources/extruders/eryone_er20_extruder_0.def.json +++ b/resources/extruders/eryone_er20_extruder_0.def.json @@ -18,7 +18,7 @@ "default_value": 1.75 }, "machine_nozzle_offset_x": { - "default_value": -10.0 + "default_value": 5 }, "machine_nozzle_offset_y": { "default_value": 8.0 diff --git a/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json b/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json index b572ea4318..2dc919ea68 100644 --- a/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json +++ b/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json @@ -13,6 +13,12 @@ "maximum_value": "1" }, "machine_nozzle_size": { "default_value": 0.4 }, - "material_diameter": { "default_value": 1.75 } + "material_diameter": { "default_value": 1.75 }, + "machine_extruder_start_code": { + "default_value": "T0 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}" + }, + "machine_extruder_end_code": { + "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X230 Y200 \nG1 F3000 E-100 \nG92 E0 \nG90" + } } } diff --git a/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json b/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json index 398822b156..6b5c6214cb 100644 --- a/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json +++ b/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json @@ -13,6 +13,12 @@ "maximum_value": "1" }, "machine_nozzle_size": { "default_value": 0.4 }, - "material_diameter": { "default_value": 1.75 } + "material_diameter": { "default_value": 1.75 }, + "machine_extruder_start_code": { + "default_value": "T1 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}" + }, + "machine_extruder_end_code": { + "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X230 Y200 \nG1 F3000 E-100 \nG92 E0 \nG90" + } } } diff --git a/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json b/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json index af68cc9422..403001b86f 100644 --- a/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json +++ b/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json @@ -13,6 +13,12 @@ "maximum_value": "1" }, "machine_nozzle_size": { "default_value": 0.4 }, - "material_diameter": { "default_value": 1.75 } + "material_diameter": { "default_value": 1.75 }, + "machine_extruder_start_code": { + "default_value": "T0 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}" + }, + "machine_extruder_end_code": { + "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X300 Y250 \nG1 F3000 E-100 \nG92 E0 \nG90" + } } } diff --git a/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json b/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json index 3585978d6e..ee3663f610 100644 --- a/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json +++ b/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json @@ -13,6 +13,12 @@ "maximum_value": "1" }, "machine_nozzle_size": { "default_value": 0.4 }, - "material_diameter": { "default_value": 1.75 } + "material_diameter": { "default_value": 1.75 }, + "machine_extruder_start_code": { + "default_value": "T1 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}" + }, + "machine_extruder_end_code": { + "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X300 Y250 \nG1 F3000 E-100 \nG92 E0 \nG90" + } } } diff --git a/resources/extruders/hellbot_magna_SE_extruder.def.json b/resources/extruders/hellbot_magna_SE_extruder.def.json new file mode 100644 index 0000000000..23c267b63b --- /dev/null +++ b/resources/extruders/hellbot_magna_SE_extruder.def.json @@ -0,0 +1,18 @@ +{ + "version": 2, + "name": "Extruder 1", + "inherits": "fdmextruder", + "metadata": { + "machine": "hellbot_magna_SE", + "position": "0" + }, + + "overrides": { + "extruder_nr": { + "default_value": 0, + "maximum_value": "1" + }, + "machine_nozzle_size": { "default_value": 0.4 }, + "material_diameter": { "default_value": 1.75 } + } +} diff --git a/resources/extruders/sh65_extruder.def.json b/resources/extruders/sh65_extruder.def.json new file mode 100644 index 0000000000..f01011e281 --- /dev/null +++ b/resources/extruders/sh65_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "sh65", + "position": "0" + }, + + "overrides": { + "extruder_nr": { + "default_value": 0 + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + } + } +} diff --git a/resources/extruders/stream30mk3_extruder.def.json b/resources/extruders/stream30mk3_extruder.def.json new file mode 100644 index 0000000000..8a9bbfa1f9 --- /dev/null +++ b/resources/extruders/stream30mk3_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30mk3", + "position": "0" + }, + + "overrides": { + "extruder_nr": { + "default_value": 0 + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + } + } +} diff --git a/resources/extruders/stream30ultrasc2_extruder.def.json b/resources/extruders/stream30ultrasc2_extruder.def.json new file mode 100644 index 0000000000..56c34a34e1 --- /dev/null +++ b/resources/extruders/stream30ultrasc2_extruder.def.json @@ -0,0 +1,21 @@ +{ + "version": 2, + "name": "Extruder", + "inherits": "fdmextruder", + "metadata": { + "machine": "stream30ultrasc2", + "position": "0" + }, + + "overrides": { + "extruder_nr": { + "default_value": 0 + }, + "machine_nozzle_size": { + "default_value": 0.4 + }, + "material_diameter": { + "default_value": 1.75 + } + } +} diff --git a/resources/i18n/cs_CZ/cura.po b/resources/i18n/cs_CZ/cura.po index f71ed9ef12..cacf645da6 100644 --- a/resources/i18n/cs_CZ/cura.po +++ b/resources/i18n/cs_CZ/cura.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-04-04 15:31+0200\n" "Last-Translator: Miroslav Šustek \n" "Language-Team: DenyCZ \n" @@ -18,212 +18,449 @@ msgstr "" "Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n>=2 && n<=4 ? 1 : 2);\n" "X-Generator: Poedit 2.4.2\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Neznámý" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Nelze vytvořit archiv ze složky s uživatelskými daty: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Níže uvedené tiskárny nelze připojit, protože jsou součástí skupiny" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Záloha" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Dostupné síťové tiskárny" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Pokusil se obnovit zálohu Cura bez nutnosti správných dat nebo metadat." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nepřepsáno" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Pokusil se obnovit zálohu Cura, která je vyšší než aktuální verze." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "Během obnovení zálohy Cura se vyskytly následující chyby:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Prosím synchronizujte před začátkem tisku materiálové profily s vašimi tiskárnami." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Byly nainstalovány nové materiály" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Synchronizovat materiály s tiskárnami" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Zjistit více" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Nelze uložit archiv s materiálem do {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Nepodařilo se uložit archiv s materiálem" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Výška podložky byla snížena kvůli hodnotě nastavení „Sekvence tisku“, aby se zabránilo kolizi rámu s tištěnými modely." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Podložka" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Doopravdy chcete odstranit {0}? Toto nelze vrátit zpět!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nepřepsáno" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Neznámý" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Níže uvedené tiskárny nelze připojit, protože jsou součástí skupiny" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Dostupné síťové tiskárny" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Výchozí" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Vizuální" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Vizuální profil je navržen pro tisk vizuálních prototypů a modelů s cílem vysoké vizuální a povrchové kvality." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Technika" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Inženýrský profil je navržen pro tisk funkčních prototypů a koncových částí s cílem lepší přesnosti a bližších tolerancí." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Návrh" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Návrhový profil je navržen pro tisk počátečních prototypů a ověření koncepce s cílem podstatného zkrácení doby tisku." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Zjistit více" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Vlastní materiál" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Vlastní" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Vlastní profily" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Všechny podporované typy ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Všechny soubory (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Vizuální" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Vizuální profil je navržen pro tisk vizuálních prototypů a modelů s cílem vysoké vizuální a povrchové kvality." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Technika" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Inženýrský profil je navržen pro tisk funkčních prototypů a koncových částí s cílem lepší přesnosti a bližších tolerancí." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Návrh" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Návrhový profil je navržen pro tisk počátečních prototypů a ověření koncepce s cílem podstatného zkrácení doby tisku." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Vlastní materiál" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Vlastní" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Přihlášení selhalo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Hledám nové umístění pro objekt" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Hledám umístění" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Nemohu najít lokaci na podložce pro všechny objekty" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Nemohu najít umístění" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Nelze vytvořit archiv ze složky s uživatelskými daty: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Záloha" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Pokusil se obnovit zálohu Cura bez nutnosti správných dat nebo metadat." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Pokusil se obnovit zálohu Cura, která je vyšší než aktuální verze." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "Během obnovení zálohy Cura se vyskytly následující chyby:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Načítám zařízení..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Nastavuji preference..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Inicializuji aktivní zařízení..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Inicializuji správce zařízení..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Inicializuji prostor podložky..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Připravuji scénu..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Načítám rozhraní..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Inicializuji engine..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Výška podložky byla snížena kvůli hodnotě nastavení „Sekvence tisku“, aby se zabránilo kolizi rámu s tištěnými modely." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Současně lze načíst pouze jeden soubor G-kódu. Přeskočen import {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Podložka" +msgid "Warning" +msgstr "Varování" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Nelze otevřít žádný jiný soubor, když se načítá G kód. Přeskočen import {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Chyba" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Přeskočit" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Zavřít" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Další" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Dokončit" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Přidat" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Zrušit" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Skupina #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Vnější stěna" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Vnitřní stěna" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Skin" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Výplň" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Výplň podpor" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Rozhraní podpor" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Podpora" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Límec" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Hlavní věž" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Pohyb" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Retrakce" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Jiné" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Poznámky k vydání nelze otevřít." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura nelze spustit" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

Oops, Ultimaker Cura has encountered something that doesn't seem right.

\n" @@ -238,32 +475,32 @@ msgstr "" "                    

Za účelem vyřešení problému nám prosím pošlete tento záznam pádu.

\n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Poslat záznam o pádu do Ultimakeru" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Zobrazit podrobný záznam pádu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Zobrazit složku s konfigurací" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Zálohovat a resetovat konfiguraci" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Záznam pádu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

\n" @@ -274,702 +511,641 @@ msgstr "" "            

Použijte tlačítko „Odeslat zprávu“ k automatickému odeslání hlášení o chybě na naše servery

\n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Systémové informace" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Neznámý" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Verze Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Jazyk Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Jazyk operačního systému" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platforma" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Verze Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Verze PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
" msgstr "Neinicializováno
" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Verze OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL Vendor: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Stopování chyby" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Protokoly" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Odeslat záznam" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Načítám zařízení..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Nastavuji preference..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Inicializuji aktivní zařízení..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Inicializuji správce zařízení..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Inicializuji prostor podložky..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Připravuji scénu..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Načítám rozhraní..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Inicializuji engine..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Současně lze načíst pouze jeden soubor G-kódu. Přeskočen import {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Varování" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Nelze otevřít žádný jiný soubor, když se načítá G kód. Přeskočen import {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Chyba" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Násobím a rozmisťuji objekty" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Umisťuji objekty" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Umisťuji objekt" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Nelze přečíst odpověď." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "Poskytnutý stav není správný." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Při autorizaci této aplikace zadejte požadovaná oprávnění." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Při pokusu o přihlášení se stalo něco neočekávaného, zkuste to znovu." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Nepodařilo se mi spustit nový proces přihlášení. Zkontrolujte, zda nějaký jiný již neběží." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Nelze se dostat na server účtu Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "Poskytnutý stav není správný." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Při autorizaci této aplikace zadejte požadovaná oprávnění." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Při pokusu o přihlášení se stalo něco neočekávaného, zkuste to znovu." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Nelze přečíst odpověď." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Násobím a rozmisťuji objekty" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Umisťuji objekty" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Umisťuji objekt" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Nepodporovaný" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Výchozí" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Tryska" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Nastavení byla změněna, aby odpovídala aktuální dostupnosti extruderů:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Nastavení aktualizováno" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extruder(y) zakázány" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Soubor již existuje" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Soubor {0} již existuje. Opravdu jej chcete přepsat?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Špatná cesta k souboru:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Nepodařilo se exportovat profil do {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Export profilu do {0} se nezdařil: Zapisovací zásuvný modul ohlásil chybu." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Exportován profil do {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Export úspěšný" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Nepodařilo se importovat profil z {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Nemohu přidat profil z {0} před tím, než je přidána tiskárna." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "V souboru {0} není k dispozici žádný vlastní profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Import profilu z {0} se nezdařil:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Tento profil {0} obsahuje nesprávná data, nemohl je importovat." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Import profilu z {0} se nezdařil:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Úspěšně importován profil {0}." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Soubor {0} neobsahuje žádný platný profil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Profil {0} má neznámý typ souboru nebo je poškozen." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Vlastní profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "V profilu chybí typ kvality." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Zatím neexistuje aktivní tiskárna." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Nepovedlo se přidat profil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Typ kvality '{0}' není kompatibilní s definicí '{1}' aktivního zařízení." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Varování: Profil není viditelný, protože typ kvality '{0}' není dostupný pro aktuální konfiguraci. Přepněte na kombinaci materiálu a trysky, která může být použita s tímto typem kvality." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Nepodporovaný" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Výchozí" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Tryska" +msgid "Per Model Settings" +msgstr "Nastavení pro každý model" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Nastavení byla změněna, aby odpovídala aktuální dostupnosti extruderů:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Konfigurovat nastavení pro každý model" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura profil" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "Soubor X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Nastala chyba při pokusu obnovit vaši zálohu." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Nastavení aktualizováno" +msgid "Backups" +msgstr "Zálohy" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder(y) zakázány" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Nastala chyba při nahrávání vaší zálohy." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Přidat" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Vytvářím zálohu..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Dokončit" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Nastala chyba při vytváření zálohy." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Zrušit" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Nahrávám vaši zálohu..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Vaše záloha byla úspěšně nahrána." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "Záloha překračuje maximální povolenou velikost soubor." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Spravovat zálohy" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Nastavení zařízení" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Blokovač podpor" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Vytvořit prostor ve kterém nejsou tištěny podpory." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Vyměnitelná jednotka" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Uložit na vyměnitelný disk" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Skupina #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Uložit na vyměnitelný disk {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Vnější stěna" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Nejsou k dispozici žádné formáty souborů pro zápis!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Vnitřní stěna" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Ukládám na vyměnitelný disk {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Skin" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Výplň" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Výplň podpor" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Rozhraní podpor" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Podpora" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Límec" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Hlavní věž" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Pohyb" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Retrakce" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Jiné" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Poznámky k vydání nelze otevřít." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Další" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Přeskočit" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Zavřít" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Asistent 3D modelu" +msgid "Saving" +msgstr "Ukládám" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Nemohu uložit na {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Při pokusu o zápis do zařízení {device} nebyl nalezen název souboru." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Jeden nebo více 3D modelů se nemusí tisknout optimálně kvůli velikosti modelu a konfiguraci materiálu:

    \n" -"

    {model_names}

    \n" -"

    Zjistěte, jak zajistit nejlepší možnou kvalitu a spolehlivost tisku.

    \n" -"

    Zobrazit průvodce kvalitou tisku

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Nelze uložit na vyměnitelnou jednotku {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Ukládám na vyměnitelnou jednotku {0} jako {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Soubor uložen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Vysunout" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Vysunout vyměnitelnou jednotku {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Vysunuto {0}. Nyní můžete bezpečně vyjmout jednotku." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Bezpečně vysunout hardware" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Nepodařilo se vysunout {0}. Jednotku může používat jiný program." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Aktualizovat firmware" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Profily Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Doporučeno" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Vlastní" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Projektový soubor {0} obsahuje neznámý typ zařízení {1}. Nelze importovat zařízení. Místo toho budou importovány modely." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Otevřít soubor s projektem" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "Soubor projektu {0} je neočekávaně nedostupný: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Nepovedlo se otevřít soubor projektu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Soubor projektu {0} je poškozený: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "Soubor projektu {0} je vytvořený profily, které jsou této verzi Ultimaker Cura neznámé." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Doporučeno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Vlastní" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "Soubor 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Plugin 3MF Writer je poškozen." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Nemohu zapsat do UFP souboru:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Nemáte oprávnění zapisovat do tohoto pracovního prostoru." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "Operační systém nepovoluje uložit soubor s projektem do tohoto umístění nebo pod tímto názvem." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Chyba při zápisu 3mf file." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Soubor 3MF" +msgid "Ultimaker Format Package" +msgstr "Balíček ve formátu Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Soubor Cura Project 3MF" +msgid "G-code File" +msgstr "Soubor G-kódu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Soubor AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Zálohy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Nastala chyba při nahrávání vaší zálohy." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Vytvářím zálohu..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Nastala chyba při vytváření zálohy." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Nahrávám vaši zálohu..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Vaše záloha byla úspěšně nahrána." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Záloha překračuje maximální povolenou velikost soubor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Nastala chyba při pokusu obnovit vaši zálohu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Spravovat zálohy" +msgid "Preview" +msgstr "Náhled" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Rentgenový pohled" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Zpracovávám vrstvy" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informace" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Slicování selhalo na neočekávané chybě. Zvažte, prosím, nahlášení chyby v našem issue trackeru." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Slicování selhalo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Nahlásit chybu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Nahlásit chybu v Ultimaker Cura issue trackeru." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Nelze slicovat s aktuálním materiálem, protože je nekompatibilní s vybraným strojem nebo konfigurací." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Nelze slicovat" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "S aktuálním nastavením nelze slicovat. Následující nastavení obsahuje chyby: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Nelze slicovat kvůli některým nastavení jednotlivých modelů. Následující nastavení obsahuje chyby na jednom nebo více modelech: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Nelze slicovat, protože hlavní věž nebo primární pozice jsou neplatné." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Nelze slicovat, protože jsou zde objekty asociované k zakázanému extruder %s." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -982,462 +1158,423 @@ msgstr "" "- Jsou přiřazeny k povolenému extruderu\n" "- Nejsou nastavené jako modifikační sítě" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Zpracovávám vrstvy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informace" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura profil" +msgid "AMF File" +msgstr "Soubor AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Kompresovaný soubor G kódu" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Post Processing" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modifikovat G kód" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB tisk" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Tisk přes USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Tisk přes USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Připojeno přes USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Probíhá tisk přes USB, uzavření Cura tento tisk zastaví. Jsi si jistá?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Tisk stále probíhá. Cura nemůže spustit další tisk přes USB, dokud není předchozí tisk dokončen." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Probíhá tisk" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Příprava" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Zpracovávám G kód" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Podrobnosti G kódu" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Před odesláním souboru se ujistěte, že je g-kód vhodný pro vaši tiskárnu a konfiguraci tiskárny. Reprezentace g-kódu nemusí být přesná." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G soubor" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Obrázek JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Obrázek JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Obrázek PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Obrázek BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Obrázek GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Vyrovnat podložku" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Vybrat vylepšení" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter nepodporuje textový mód." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Nemohu načíst informace o aktualizaci." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "K dispozici mohou být nové funkce nebo opravy chyb pro zařízení {machine_name}! Pokud jste tak už neučinili, je doporučeno zaktualizovat firmware vaší tiskárny na verzi {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Nový stabilní firmware je k dispozici pro %s" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Jak aktualizovat" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aktualizovat firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Kompresovaný soubor G kódu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter nepodporuje textový mód." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Soubor G-kódu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Zpracovávám G kód" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Podrobnosti G kódu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Před odesláním souboru se ujistěte, že je g-kód vhodný pro vaši tiskárnu a konfiguraci tiskárny. Reprezentace g-kódu nemusí být přesná." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G soubor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter nepodporuje netextový mód." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Před exportem prosím připravte G-kód." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Obrázek JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Obrázek JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Obrázek PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Obrázek BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Obrázek GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profily Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Nastavení zařízení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitorování" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Nastavení pro každý model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Konfigurovat nastavení pro každý model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Post Processing" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modifikovat G kód" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Příprava" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Náhled" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Uložit na vyměnitelný disk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Uložit na vyměnitelný disk {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Nejsou k dispozici žádné formáty souborů pro zápis!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Ukládám na vyměnitelný disk {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Ukládám" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Nemohu uložit na {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Při pokusu o zápis do zařízení {device} nebyl nalezen název souboru." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Nelze uložit na vyměnitelnou jednotku {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Ukládám na vyměnitelnou jednotku {0} jako {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Soubor uložen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Vysunout" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Vysunout vyměnitelnou jednotku {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Vysunuto {0}. Nyní můžete bezpečně vyjmout jednotku." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Bezpečně vysunout hardware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Nepodařilo se vysunout {0}. Jednotku může používat jiný program." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Vyměnitelná jednotka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Když je aktivován síťový tisk, Cura přesně nezobrazuje vrstvy." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Pohled simulace" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Nic není zobrazeno, nejdříve musíte slicovat." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Žádné vrstvy k zobrazení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Znovu nezobrazovat tuto zprávu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Pohled vrstev" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Nelze načíst ukázkový datový soubor." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Zvýrazněné oblasti označují chybějící nebo vedlejší povrchy. Opravte váš model a otevřete jej znovu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Chyby modelu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Pevný pohled" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blokovač podpor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Vytvořit prostor ve kterém nejsou tištěny podpory." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Chcete synchronizovat materiál a softwarové balíčky s vaším účtem?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Zjištěny změny z vašeho účtu Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchronizovat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchronizuji..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Odmítnout" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Přijmout" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Licenční ujednání zásuvného modulu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Odmítnout a odstranit z účtu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Než se změny projeví, musíte ukončit a restartovat {}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Synchronizuji..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Zjištěny změny z vašeho účtu Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Chcete synchronizovat materiál a softwarové balíčky s vaším účtem?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Synchronizovat" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Odmítnout a odstranit z účtu" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "Nepovedlo se stáhnout {} zásuvných modulů" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Odmítnout" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Přijmout" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Licenční ujednání zásuvného modulu" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter nepodporuje netextový mód." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Před exportem prosím připravte G-kód." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Když je aktivován síťový tisk, Cura přesně nezobrazuje vrstvy." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Pohled simulace" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Nic není zobrazeno, nejdříve musíte slicovat." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Žádné vrstvy k zobrazení" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Znovu nezobrazovat tuto zprávu" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Pohled vrstev" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "gITF binární soubor" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Tisk přes síť" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Tisk přes síť" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Připojeno přes síť" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Kompresovaný COLLADA Digital Asset Exchenge" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "zítra" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Balíček ve formátu Ultimaker" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "dnes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Nemohu zapsat do UFP souboru:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Vyrovnat podložku" +msgid "Connect via Network" +msgstr "Připojit přes síť" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Počkejte, až bude odeslána aktuální úloha." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Chyba tisku" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Tisková úloha byla úspěšně odeslána do tiskárny." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Data poslána" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Pokoušíte se připojit k tiskárně, na které není spuštěna aplikace Ultimaker Connect. Aktualizujte tiskárnu na nejnovější firmware." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Aktualizujte vaší tiskárnu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "Fronta tiskových úloh je plná. Tiskárna nemůže přijmout další úlohu." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Fronta je plná" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Odesílám tiskovou úlohu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Nahrávám tiskovou úlohu do tiskárny." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura zjistil materiálové profily, které ještě nebyly nainstalovány na hostitelské tiskárně skupiny {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Odesílání materiálů do tiskárny" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Nemohu nahrát data do tiskárny." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Chyba sítě" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Pokoušíte se připojit k {0}, ale není hostitelem skupiny. Webovou stránku můžete navštívit a nakonfigurovat ji jako skupinového hostitele." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Není hostem skupiny" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Vybrat vylepšení" +msgid "Configure group" +msgstr "Konfigurovat skupinu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Vaše tiskárna {printer_name} může být připojena přes cloud.\n" +" Spravujte vaši tiskovou frontu a sledujte tisk odkudkoliv připojením vaší tiskárny k Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Jste připraveni na tisk přes cloud?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Začínáme" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Zjistit více" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Tisknout přes cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Tisknout přes cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Připojen přes cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Sledovat tisk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Sledujte tisk v Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Při nahrávání tiskové úlohy došlo k chybě s neznámým kódem: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" @@ -1445,13 +1582,13 @@ msgstr[0] "Z vašeho Ultimaker účtu byla detekována nová tiskárna" msgstr[1] "Z vašeho Ultimaker účtu byly detekovány nové tiskárny" msgstr[2] "Z vašeho Ultimaker účtu byly detekovány nové tiskárny" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Přidávám tiskárnu {name} ({model}) z vašeho účtu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1460,12 +1597,12 @@ msgstr[0] "... a {0} další" msgstr[1] "... a {0} další" msgstr[2] "... a {0} dalších" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Tiskárny přidané z Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" @@ -1473,7 +1610,7 @@ msgstr[0] "Pro tuto tiskárnu není připojení přes cloud dostupné" msgstr[1] "Pro tyto tiskárny není připojení přes cloud dostupné" msgstr[2] "Pro tyto tiskárny není připojení přes cloud dostupné" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" @@ -1481,52 +1618,52 @@ msgstr[0] "Tato tiskárna není napojena na Digital Factory:" msgstr[1] "Tyto tiskárny nejsou napojeny na Digital Factory:" msgstr[2] "Tyto tiskárny nejsou napojeny na Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Chcete-li navázat spojení, navštivte {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Zachovat konfiguraci tiskárny" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Odstranit tiskárnu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "Tiskárna {printer_name} bude odebrána až do další synchronizace účtu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Chcete-li tiskárnu {printer_name} trvale odebrat, navštivte {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Opravdu chcete tiskárnu {printer_name} dočasně odebrat?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Odstranit tiskárny?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1545,7 +1682,7 @@ msgstr[2] "" "Chystáte se odebrat {0} tiskáren z Cury. Tuto akci nelze vrátit zpět.\n" "Doopravdy chcete pokračovat?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1554,273 +1691,579 @@ msgstr "" "Chystáte se odebrat všechny tiskárny z Cury. Tuto akci nelze vrátit zpět.\n" "Doopravdy chcete pokračovat?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "gITF binární soubor" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Kompresovaný COLLADA Digital Asset Exchenge" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Zvýrazněné oblasti označují chybějící nebo vedlejší povrchy. Opravte váš model a otevřete jej znovu." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Chyby modelu" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Pevný pohled" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Chyba při zápisu 3mf file." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "Plugin 3MF Writer je poškozen." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Nemáte oprávnění zapisovat do tohoto pracovního prostoru." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "Operační systém nepovoluje uložit soubor s projektem do tohoto umístění nebo pod tímto názvem." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Soubor 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Soubor Cura Project 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Monitorování" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Asistent 3D modelu" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " msgstr "" +"

    Jeden nebo více 3D modelů se nemusí tisknout optimálně kvůli velikosti modelu a konfiguraci materiálu:

    \n" +"

    {model_names}

    \n" +"

    Zjistěte, jak zajistit nejlepší možnou kvalitu a spolehlivost tisku.

    \n" +"

    Zobrazit průvodce kvalitou tisku

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Začínáme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Pokoušíte se připojit k tiskárně, na které není spuštěna aplikace Ultimaker Connect. Aktualizujte tiskárnu na nejnovější firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Aktualizujte vaší tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura zjistil materiálové profily, které ještě nebyly nainstalovány na hostitelské tiskárně skupiny {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Odesílání materiálů do tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Pokoušíte se připojit k {0}, ale není hostitelem skupiny. Webovou stránku můžete navštívit a nakonfigurovat ji jako skupinového hostitele." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Není hostem skupiny" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Konfigurovat skupinu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Počkejte, až bude odeslána aktuální úloha." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Chyba tisku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Nemohu nahrát data do tiskárny." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Chyba sítě" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Odesílám tiskovou úlohu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Nahrávám tiskovou úlohu do tiskárny." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "Fronta tiskových úloh je plná. Tiskárna nemůže přijmout další úlohu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Fronta je plná" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Tisková úloha byla úspěšně odeslána do tiskárny." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Data poslána" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Tisk přes síť" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Tisk přes síť" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Připojeno přes síť" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Připojit přes síť" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "zítra" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "dnes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB tisk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Tisk přes USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Tisk přes USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Připojeno přes USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Probíhá tisk přes USB, uzavření Cura tento tisk zastaví. Jsi si jistá?" +msgid "Mesh Type" +msgstr "Typ síťového modelu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Tisk stále probíhá. Cura nemůže spustit další tisk přes USB, dokud není předchozí tisk dokončen." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Normální model" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Probíhá tisk" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Tisknout jako podporu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Upravte nastavení překrývání" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Nepodporovat překrývání" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Soubor X3D" +msgid "Infill mesh only" +msgstr "Pouze síť výplně" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Rentgenový pohled" +msgid "Cutting mesh" +msgstr "Síť řezu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Některé věci mohou být v tomto tisku problematické. Kliknutím zobrazíte tipy pro úpravy." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Vybrat nastavení" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Vybrat nastavení k přizpůsobení pro tento model" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrovat..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Zobrazit vše" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura zálohy" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura verze" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Zařízení" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materiály" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profily" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Zásuvné moduly" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Chcete více?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Zálohovat nyní" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Automatické zálohy" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Automaticky vytvořte zálohu každý den, kdy je spuštěna Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Obnovit" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Odstranit zálohu" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Opravdu chcete tuto zálohu smazat? To nelze vrátit zpět." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Obnovit zálohu" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Před obnovením zálohy budete muset restartovat Curu. Chcete nyní Curu zavřít?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Zálohovat a synchronizovat vaše nastavení Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Přihlásit se" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Moje zálohy" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Momentálně nemáte žádné zálohy. Pomocí tlačítka 'Zálohovat nyní' vytvořte." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Během fáze náhledu budete omezeni na 5 viditelných záloh. Chcete-li zobrazit starší, odstraňte zálohu." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Nastavení tiskárny" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Šířka)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Hloubka)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Výška)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Tvar tiskové podložky" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Počátek ve středu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Topná podložka" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Vyhřívaný objem sestavení" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Varianta G kódu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Nastavení tiskové hlavy" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Výška rámu tiskárny" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Počet extrůderů" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplikovat offsety extruderu do G kódu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Počáteční G kód" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Ukončující G kód" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Nastavení trysky" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Velikost trysky" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Kompatibilní průměr materiálu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "X offset trysky" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Y offset trysky" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Číslo chladícího větráku" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Počáteční G-kód extuderu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Ukončující G-kód extuderu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Tiskárna" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Aktualizovat firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Firmware je software běžící přímo na vaší 3D tiskárně. Tento firmware řídí krokové motory, reguluje teplotu a v konečném důsledku zajišťuje vaši práci tiskárny." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Dodávání firmwaru s novými tiskárnami funguje, ale nové verze mají obvykle více funkcí a vylepšení." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Automaticky aktualizovat firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Nahrát vlastní firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Firmware nelze aktualizovat, protože není spojeno s tiskárnou." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Firmware nelze aktualizovat, protože připojení k tiskárně nepodporuje aktualizaci firmwaru." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Vybrat vlastní firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Aktualizace firmwaru" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Aktualizuji firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Aktualizace firmwaru kompletní." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Aktualizace firmwaru selhala kvůli neznámému problému." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Aktualizace firmwaru selhala kvůli chybě v komunikaci." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Aktualizace firmwaru selhala kvůli chybě vstupu / výstupu." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Aktualizace firmwaru selhala kvůli chybějícímu firmwaru." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Otevřit projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Aktualizovat existující" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Vytvořit nový" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Souhrn - Projekt Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Nastavení tiskárny" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Jak by měl být problém v zařízení vyřešen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Typ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Skupina tiskárny" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Nastavení profilu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Jak by měl být problém v profilu vyřešen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Název" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Záměr" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Není v profilu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" @@ -1828,12 +2271,12 @@ msgstr[0] "%1 přepsání" msgstr[1] "%1 přepsání" msgstr[2] "%1 přepsání" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivát z" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" @@ -1841,484 +2284,1049 @@ msgstr[0] "%1, %2 override" msgstr[1] "%1, %2 overrides" msgstr[2] "%1, %2 overrides" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Nastavení materiálu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Jak by měl být problém v materiálu vyřešen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Nastavení zobrazení" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mód" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Viditelná zařízení:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 z %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Nahrání projektu vymaže všechny modely na podložce." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Otevřít" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Chcete více?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Zálohovat nyní" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatické zálohy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Automaticky vytvořte zálohu každý den, kdy je spuštěna Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Obnovit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Odstranit zálohu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Opravdu chcete tuto zálohu smazat? To nelze vrátit zpět." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Obnovit zálohu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Před obnovením zálohy budete muset restartovat Curu. Chcete nyní Curu zavřít?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura verze" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Zařízení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiály" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profily" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Zásuvné moduly" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura zálohy" +msgid "Post Processing Plugin" +msgstr "Zásuvný balíček Post Processing" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Moje zálohy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Momentálně nemáte žádné zálohy. Pomocí tlačítka 'Zálohovat nyní' vytvořte." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Během fáze náhledu budete omezeni na 5 viditelných záloh. Chcete-li zobrazit starší, odstraňte zálohu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Zálohovat a synchronizovat vaše nastavení Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Přihlásit se" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aktualizovat firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Firmware je software běžící přímo na vaší 3D tiskárně. Tento firmware řídí krokové motory, reguluje teplotu a v konečném důsledku zajišťuje vaši práci tiskárny." +msgid "Post Processing Scripts" +msgstr "Skripty Post Processingu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Přidat skript" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Dodávání firmwaru s novými tiskárnami funguje, ale nové verze mají obvykle více funkcí a vylepšení." +msgid "Settings" +msgstr "Nastavení" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automaticky aktualizovat firmware" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Změnít aktivní post-processing skripty." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Nahrát vlastní firmware" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "Následují skript je aktivní:" +msgstr[1] "Následují skripty jsou aktivní:" +msgstr[2] "Následují skripty jsou aktivní:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Firmware nelze aktualizovat, protože není spojeno s tiskárnou." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Firmware nelze aktualizovat, protože připojení k tiskárně nepodporuje aktualizaci firmwaru." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Vybrat vlastní firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aktualizace firmwaru" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aktualizuji firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aktualizace firmwaru kompletní." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Aktualizace firmwaru selhala kvůli neznámému problému." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Aktualizace firmwaru selhala kvůli chybě v komunikaci." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Aktualizace firmwaru selhala kvůli chybě vstupu / výstupu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Aktualizace firmwaru selhala kvůli chybějícímu firmwaru." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Konvertovat obrázek.." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Maximální vzdálenost každého pixelu od „základny“." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Výška (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Výška základny od podložky v milimetrech." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Základna (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "Šířka podložky v milimetrech." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Šířka (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "Hloubka podložky v milimetrech" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Hloubka (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "U litofanů by tmavé pixely měly odpovídat silnějším místům, aby blokovaly více světla procházejícího. Pro výškové mapy znamenají světlejší pixely vyšší terén, takže světlejší pixely by měly odpovídat silnějším umístěním v generovaném 3D modelu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Tmavější je vyšší" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Světlejší je vyšší" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Pro litofany je k dispozici jednoduchý logaritmický model pro průsvitnost. U výškových map odpovídají hodnoty pixelů lineárně výškám." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Lineární" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Průsvitnost" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "Procento světla pronikajícího do tisku o tloušťce 1 milimetr. Snížení této hodnoty zvyšuje kontrast v tmavých oblastech a snižuje kontrast ve světlých oblastech obrazu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1mm propustnost (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "Množství vyhlazení, které se použije na obrázek." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Vyhlazování" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Vyberte prosím všechny upgrady provedené v tomto originálu Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Vyhřívaná podložka (Oficiální kit, nebo vytvořená)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Vyrovnávání podložky" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Chcete-li se ujistit, že vaše výtisky vyjdou skvěle, můžete nyní sestavení své podložku. Když kliknete na „Přesunout na další pozici“, tryska se přesune do různých poloh, které lze upravit." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Pro každou pozici; vložte kousek papíru pod trysku a upravte výšku tiskové desky. Výška desky pro sestavení tisku je správná, když je papír lehce uchopen špičkou trysky." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Spustit vyrovnání položky" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Přesunout na další pozici" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Další informace o anonymním shromažďování údajů" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu. Níže uvádíme příklad všech sdílených dat:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Nechci posílat anonymní data" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Povolit zasílání anonymních dat" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Obchod" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Než se změny v balíčcích projeví, budete muset restartovat Curu." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Ukončit %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Nainstalovat" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Nainstalováno" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Přejít na webový obchod" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Hledat materiály" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Kompatibilita" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Zařízení" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Podložka" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Podpora" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Kvalita" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Technický datasheet" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Datasheet bezpečnosti" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Zásady tisku" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Webová stránka" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "K instalaci nebo aktualizaci je vyžadováno přihlášení" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Koupit cívky materiálu" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Aktualizace" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Aktualizuji" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Aktualizování" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Zpět" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Tiskárna" +msgid "Plugins" +msgstr "Zásuvné moduly" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Nastavení trysky" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiály" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Nainstalování" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Velikost trysky" +msgid "Will install upon restarting" +msgstr "Nainstaluje se po restartu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Pro aktualizace je potřeba se přihlásit" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Downgrade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Odinstalace" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Soubory od komunity" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Kompatibilní průměr materiálu" +msgid "Community Plugins" +msgstr "Komunitní zásuvné moduly" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "X offset trysky" +msgid "Generic Materials" +msgstr "Obecné materiály" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Načítám balíčky..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Y offset trysky" +msgid "Website" +msgstr "Webová stránka" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Číslo chladícího větráku" +msgid "Email" +msgstr "Email" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Počáteční G-kód extuderu" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Přihlaste se, abyste získali ověřené pluginy a materiály pro Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Ukončující G-kód extuderu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Nastavení tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Šířka)" +msgid "Version" +msgstr "Verze" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Hloubka)" +msgid "Last updated" +msgstr "Naposledy aktualizování" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Výška)" +msgid "Brand" +msgstr "Značka" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Tvar tiskové podložky" +msgid "Downloads" +msgstr "Ke stažení" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Nainstalovaná rozšíření" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Žádné rozšíření nebylo nainstalováno." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Nainstalované materiály" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Žádný materiál nebyl nainstalován." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Zabalená rozšíření" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Zabalené materiály" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Nelze se připojit k databázi balíčku Cura. Zkontrolujte připojení." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Počátek ve středu" +msgid "You need to accept the license to install the package" +msgstr "Pro instalaci balíčku musíte přijmout licenční ujednání" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Změny z vašeho účtu" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Schovat" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Další" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Topná podložka" +msgid "The following packages will be added:" +msgstr "Následující balíčky byly přidány:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Vyhřívaný objem sestavení" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Následující balíčky nelze nainstalovat z důvodu nekompatibilní verze Cura:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Potvrdit odinstalaci" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Odinstalujete materiály a / nebo profily, které se stále používají. Potvrzením resetujete následující materiály / profily na výchozí hodnoty." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materiály" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profily" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Potvrdit" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Varianta G kódu" +msgid "Color scheme" +msgstr "Barevné schéma" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Nastavení tiskové hlavy" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Barva materiálu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Typ úsečky" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Rychlost" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Tloušťka vrstvy" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Šířka čáry" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Průtok" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X min" +msgid "Compatibility Mode" +msgstr "Mód kompatibility" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y min" +msgid "Travels" +msgstr "Cesty" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X max" +msgid "Helpers" +msgstr "Pomocníci" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y max" +msgid "Shell" +msgstr "Shell" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Výška rámu tiskárny" +msgid "Infill" +msgstr "Výplň" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Počet extrůderů" +msgid "Starts" +msgstr "Začátky" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplikovat offsety extruderu do G kódu" +msgid "Only Show Top Layers" +msgstr "Zobrazit jen vrchní vrstvy" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Počáteční G kód" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Zobrazit 5 podrobných vrstev nahoře" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Ukončující G kód" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Nahoře / Dole" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Vnitřní stěna" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Spravovat tiskárnu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Sklo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Aktualizujte firmware tiskárny a spravujte frontu vzdáleně." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Vstup z webové kamery nemůže být pro cloudové tiskárny zobrazen v Ultimaker Cura. Klikněte na \"Spravovat tiskárnu\", abyste navštívili Ultimaker Digital Factory a zobrazili tuto webkameru." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Načítám..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Nedostupný" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Nedostupný" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Čekám" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Připravuji..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Tisknu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Bez názvu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anonymní" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Jsou nutné změny v nastavení" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Podrobnosti" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Nedostupná tiskárna" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "První dostupný" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Zařazeno do fronty" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Spravovat v prohlížeči" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Ve frontě nejsou žádné tiskové úlohy. Slicujte a odesláním úlohy jednu přidejte." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Tiskové úlohy" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Celkový čas tisknutí" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Čekám na" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Tisk přes síť" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Tisk" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Výběr tiskárny" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Změny konfigurace" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Override" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:" +msgstr[1] "Přiřazená tiskárna %1 vyžaduje následující změny akonfigurace:" +msgstr[2] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Tiskárna %1 je přiřazena, ale úloha obsahuje neznámou konfiguraci materiálu." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Změnit materiál %1 z %2 na %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Načíst %3 jako materiál %1 (Toho nemůže být přepsáno)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Změnit jádro tisku %1 z %2 na %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Změnit podložku na %1 (Toto nemůže být přepsáno)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Přepsání použije zadaná nastavení s existující konfigurací tiskárny. To může vést k selhání tisku." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Hliník" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Dokončeno" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Ruším..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Zrušeno" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Pozastavuji..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Pozastaveno" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Obnovuji..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Akce vyžadována" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Dokončuji %1 z %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Připojte se k síťové tiskárně" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Chcete-li tisknout přímo na tiskárně prostřednictvím sítě, zkontrolujte, zda je tiskárna připojena k síti pomocí síťového kabelu nebo připojením tiskárny k síti WIFI. Pokud nepřipojíte Curu k tiskárně, můžete stále používat jednotku USB k přenosu souborů g-kódu do vaší tiskárny." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Vyberte svou tiskárnu z nabídky níže:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Upravit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Odstranit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Aktualizovat" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Pokud vaše tiskárna není uvedena, přečtěte si průvodce řešením problémů se síťovým tiskem " + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Typ" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Verze firmwaru" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Adresa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Tato tiskárna není nastavena tak, aby hostovala skupinu tiskáren." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Tato tiskárna je hostitelem skupiny tiskáren %1." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "Tiskárna na této adrese dosud neodpověděla." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Připojit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Špatná IP adresa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Prosím zadejte validní IP adresu." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Adresa tiskárny" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Vložte IP adresu vaší tiskárny na síti." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Přesunout nahoru" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Odstranit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Obnovit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Pozastavuji..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Obnovuji..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pozastavit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Ruším..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Zrušit" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Doopravdy chcete posunout %1 na začátek fronty?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Přesunout tiskovou úlohu nahoru" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Doopravdy chcete odstranit %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Odstranit tiskovou úlohu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Doopravdy chcete zrušit %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Zrušit tisk" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2331,1490 +3339,433 @@ msgstr "" "- Zkontrolujte, zda je tiskárna připojena k síti.\n" "- Zkontrolujte, zda jste přihlášeni k objevování tiskáren připojených k cloudu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Připojte tiskárnu k síti." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Zobrazit online manuály" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Abyste mohli monitorovat tisk z Cury, připojte prosím tiskárnu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Typ síťového modelu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normální model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Tisknout jako podporu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Upravte nastavení překrývání" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Nepodporovat překrývání" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Pouze síť výplně" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Síť řezu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Vybrat nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Vybrat nastavení k přizpůsobení pro tento model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrovat..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Zobrazit vše" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Zásuvný balíček Post Processing" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Skripty Post Processingu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Přidat skript" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Změnít aktivní post-processing skripty." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Některé věci mohou být v tomto tisku problematické. Kliknutím zobrazíte tipy pro úpravy." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Následují skript je aktivní:" -msgstr[1] "Následují skripty jsou aktivní:" -msgstr[2] "Následují skripty jsou aktivní:" +msgid "3D View" +msgstr "3D Pohled" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Barevné schéma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Barva materiálu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Typ úsečky" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Rychlost" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Tloušťka vrstvy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Šířka čáry" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Průtok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Mód kompatibility" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Cesty" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Pomocníci" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Shell" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Výplň" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Začátky" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Zobrazit jen vrchní vrstvy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Zobrazit 5 podrobných vrstev nahoře" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Nahoře / Dole" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Vnitřní stěna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Další informace o anonymním shromažďování údajů" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu. Níže uvádíme příklad všech sdílených dat:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Nechci posílat anonymní data" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Povolit zasílání anonymních dat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Zpět" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Kompatibilita" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Zařízení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Podložka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Podpora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Kvalita" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technický datasheet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Datasheet bezpečnosti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Zásady tisku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Webová stránka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Nainstalováno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "K instalaci nebo aktualizaci je vyžadováno přihlášení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Koupit cívky materiálu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Aktualizace" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aktualizuji" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Aktualizování" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Přejít na webový obchod" +msgid "Front View" +msgstr "Přední pohled" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Pohled seshora" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Pohled zleva" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Pohled zprava" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Hledat materiály" +msgid "Object list" +msgstr "Seznam objektů" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Než se změny v balíčcích projeví, budete muset restartovat Curu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Ukončit %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Zásuvné moduly" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiály" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Nainstalování" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Nainstaluje se po restartu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Pro aktualizace je potřeba se přihlásit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgrade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Odinstalace" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Nainstalovat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Změny z vašeho účtu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Schovat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Další" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Následující balíčky byly přidány:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Následující balíčky nelze nainstalovat z důvodu nekompatibilní verze Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Potvrdit odinstalaci" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Odinstalujete materiály a / nebo profily, které se stále používají. Potvrzením resetujete následující materiály / profily na výchozí hodnoty." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiály" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profily" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Potvrdit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Pro instalaci balíčku musíte přijmout licenční ujednání" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Webová stránka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Email" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Verze" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Naposledy aktualizování" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Značka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Ke stažení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Soubory od komunity" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Komunitní zásuvné moduly" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Obecné materiály" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Nelze se připojit k databázi balíčku Cura. Zkontrolujte připojení." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Nainstalovaná rozšíření" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Žádné rozšíření nebylo nainstalováno." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Nainstalované materiály" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Žádný materiál nebyl nainstalován." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Zabalená rozšíření" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Zabalené materiály" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Načítám balíčky..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Přihlaste se, abyste získali ověřené pluginy a materiály pro Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Obchod" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Vyrovnávání podložky" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Soubor" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Chcete-li se ujistit, že vaše výtisky vyjdou skvěle, můžete nyní sestavení své podložku. Když kliknete na „Přesunout na další pozici“, tryska se přesune do různých poloh, které lze upravit." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "Upr&avit" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Pro každou pozici; vložte kousek papíru pod trysku a upravte výšku tiskové desky. Výška desky pro sestavení tisku je správná, když je papír lehce uchopen špičkou trysky." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "Po&hled" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Spustit vyrovnání položky" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "Nasta&vení" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Přesunout na další pozici" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "D&oplňky" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Vyberte prosím všechny upgrady provedené v tomto originálu Ultimaker" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&reference" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Vyhřívaná podložka (Oficiální kit, nebo vytvořená)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "Po&moc" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Připojte se k síťové tiskárně" +msgid "New project" +msgstr "Nový projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Chcete-li tisknout přímo na tiskárně prostřednictvím sítě, zkontrolujte, zda je tiskárna připojena k síti pomocí síťového kabelu nebo připojením tiskárny k síti WIFI. Pokud nepřipojíte Curu k tiskárně, můžete stále používat jednotku USB k přenosu souborů g-kódu do vaší tiskárny." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Vyberte svou tiskárnu z nabídky níže:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Upravit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Odstranit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Aktualizovat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Pokud vaše tiskárna není uvedena, přečtěte si průvodce řešením problémů se síťovým tiskem " - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Typ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Verze firmwaru" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adresa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Tato tiskárna není nastavena tak, aby hostovala skupinu tiskáren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Tato tiskárna je hostitelem skupiny tiskáren %1." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Tiskárna na této adrese dosud neodpověděla." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Připojit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Špatná IP adresa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Prosím zadejte validní IP adresu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Adresa tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Vložte IP adresu vaší tiskárny na síti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Změny konfigurace" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Override" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:" -msgstr[1] "Přiřazená tiskárna %1 vyžaduje následující změny akonfigurace:" -msgstr[2] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "Tiskárna %1 je přiřazena, ale úloha obsahuje neznámou konfiguraci materiálu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Změnit materiál %1 z %2 na %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Načíst %3 jako materiál %1 (Toho nemůže být přepsáno)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Změnit jádro tisku %1 z %2 na %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Změnit podložku na %1 (Toto nemůže být přepsáno)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Přepsání použije zadaná nastavení s existující konfigurací tiskárny. To může vést k selhání tisku." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Sklo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Hliník" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Přesunout nahoru" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Odstranit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Obnovit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pozastavuji..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Obnovuji..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pozastavit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Ruším..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Zrušit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Doopravdy chcete posunout %1 na začátek fronty?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Přesunout tiskovou úlohu nahoru" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Doopravdy chcete odstranit %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Odstranit tiskovou úlohu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Doopravdy chcete zrušit %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Zrušit tisk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Spravovat tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Aktualizujte firmware tiskárny a spravujte frontu vzdáleně." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Načítám..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Nedostupný" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Nedostupný" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Čekám" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Připravuji..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Tisknu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Bez názvu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonymní" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Jsou nutné změny v nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Podrobnosti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Nedostupná tiskárna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "První dostupný" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Zrušeno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Dokončeno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Ruším..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pozastavuji..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Pozastaveno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Obnovuji..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Akce vyžadována" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Dokončuji %1 z %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Zařazeno do fronty" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Spravovat v prohlížeči" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Ve frontě nejsou žádné tiskové úlohy. Slicujte a odesláním úlohy jednu přidejte." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Tiskové úlohy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Celkový čas tisknutí" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Čekám na" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Tisk přes síť" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Tisk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Výběr tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Přihlásit se" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Přihlásit se do platformy Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Přidejte materiálnové profily and moduly z Obchodu\n" -"- Zálohujte a synchronizujte vaše materiálové profily and moduly\n" -"- Sdílejte nápady a získejte pomoc od více než 48 000 uživatelů v Ultimaker komunitě" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Vytvořit účet Ultimaker zdarma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Kontroluji..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Účet byl synchronizován" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Nastala chyba..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Nainstalujte čekající aktualizace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Zkontrolovat aktualizace pro účet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Poslední aktualizace: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker Account" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Odhlásit se" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Žádný odhad času není dostupný" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Žádná cena není dostupná" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Náhled" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Odhad času" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Odhad materiálu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Slicuji..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Nelze slicovat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Zpracovává se" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Slicovat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Začít proces slicování" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Zrušit" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Zobrazit online průvodce řešením problémů" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Přepnout zobrazení na celou obrazovku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Ukončit zobrazení na celou obrazovku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Vrátit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Znovu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Ukončit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D Pohled" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Přední pohled" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Pohled seshora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Pohled zezdola" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Pohled z pravé strany" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Pohled z pravé strany" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Konfigurovat Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "Přidat t&iskárnu..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Spravovat &tiskárny..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Spravovat materiály..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Přidat více materiálů z obchodu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Aktualizovat profil s aktuálními nastaveními/přepsáními" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "Smazat aktuální &změny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Vytvořit profil z aktuálního nastavení/přepsání." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Spravovat profily..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Zobrazit online &dokumentaci" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Nahlásit &chybu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Co je nového" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Více..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Smazat vybrané" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centrovat vybrané" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Násobit vybrané" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Odstranit model" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "&Centerovat model na podložce" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "Sesk&upit modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Rozdělit modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Spo&jit modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "Náso&bení modelu..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Vybrat všechny modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Vyčistit podložku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Znovu načíst všechny modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Uspořádejte všechny modely do všechpodložek" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Uspořádat všechny modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Uspořádat selekci" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Resetovat všechny pozice modelů" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Resetovat všechny transformace modelů" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Otevřít soubor(y)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nový projekt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Zobrazit složku s konfigurací" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Konfigurovat viditelnost nastavení..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "Mark&et" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Tento balíček bude nainstalován po restartování." +msgid "Time estimation" +msgstr "Odhad času" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Obecné" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Odhad materiálu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Nastavení" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Tiskárny" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profily" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Žádný odhad času není dostupný" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Zavírám %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Žádná cena není dostupná" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Doopravdy chcete zavřít %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Náhled" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Otevřít soubor(y)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Nainstalovat balíček" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Otevřít Soubor(y)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Ve vybraných souborech jsme našli jeden nebo více souborů G-kódu. Naraz můžete otevřít pouze jeden soubor G-kódu. Pokud chcete otevřít soubor G-Code, vyberte pouze jeden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "Přidat tiskárnu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Přidat síťovou tiskárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Přidat ne-síťovou tiskárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Přidat Cloudovou tiskárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Čekám na odpověď od Cloudu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Žádné tiskárny nenalezeny ve vašem účtě?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Následující tiskárny ve vašem účtě byla přidány do Cury:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Přidat tiskárnu manuálně" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Přidat tiskárnu podle IP adresy" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Zadejte IP adresu vaší tiskárny." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Přidat" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Nelze se připojit k zařízení." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Nemůžete se připojit k Vaší tiskárně Ultimaker?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "Tiskárna na této adrese dosud neodpověděla." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Tuto tiskárnu nelze přidat, protože se jedná o neznámou tiskárnu nebo není hostitelem skupiny." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Zpět" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Připojit" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Uživatelská dohoda" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Odmítnout a zavřít" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Vítejte v Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "Při nastavování postupujte podle těchto pokynů Ultimaker Cura. Bude to trvat jen několik okamžiků." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Začínáme" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Přihlásit se do platformy Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Přidat nastavení materiálů a moduly z Obchodu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Zálohovat a synchronizovat nastavení materiálů a moduly" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Sdílejte nápady a získejte pomoc od více než 48 0000 uživatelů v Ultimaker komunitě" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Přeskočit" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Vytvořit účet Ultimaker zdarma" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Výrobce" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Autor profilu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Název tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Pojmenujte prosím svou tiskárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Přes síť nebyla nalezena žádná tiskárna." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Obnovit" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Přidat tiskárnu podle IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Přidat cloudovou tiskárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Podpora při problémech" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Pomožte nám zlepšovat Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu, včetně:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Typy zařízení" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Použití materiálu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Počet sliců" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Nastavení tisku" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Data shromážděná společností Ultimaker Cura nebudou obsahovat žádné osobní údaje." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Více informací" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Co je nového" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Prázdné" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Poznámky k vydání" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "O %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "verze: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Komplexní řešení pro 3D tisk z taveného filamentu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3823,183 +3774,204 @@ msgstr "" "Cura vyvíjí Ultimaker B.V. ve spolupráci s komunitou.\n" "Cura hrdě používá následující open source projekty:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Grafické uživatelské prostředí" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Aplikační framework" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Generátor G kódu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Meziprocesní komunikační knihovna" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Programovací jazyk" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI framework" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Propojení GUI frameworku" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Binding knihovna C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Formát výměny dat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Podpůrná knihovna pro vědecké výpočty" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Podpůrný knihovna pro rychlejší matematické výpočty" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Podpůrná knihovna pro práci se soubory STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Podpůrná knihovna pro manipulaci s planárními objekty" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Podpůrná knihovna pro manipulaci s trojúhelníkovými sítěmi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Podpůrná knihovna pro manipulaci s 3MF soubory" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Podpůrná knihovna pro metadata souborů a streaming" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Knihovna pro sériovou komunikaci" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Knihovna ZeroConf discovery" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Knihovna pro výstřižky z mnohoúhelníků" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Kontrola statických typů pro Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Základní certifikáty pro validaci důvěryhodnosti SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Chyba v Python trackovací knihovně" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Knihovna pro plošnou optimalizaci vyvinutá Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Propojení libnest2d s jazykem Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Podpůrná knihovna pro přístup k systémové klíčence" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Python rozšíření pro Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Font" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Ikony SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux cross-distribution application deployment" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Otevřít soubor s projektem" +msgid "Open file(s)" +msgstr "Otevřít soubor(y)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Toto je soubor projektu Cura. Chcete jej otevřít jako projekt nebo importovat z něj modely?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Ve vybraných souborech jsme našli jeden nebo více projektových souborů. Naraz můžete otevřít pouze jeden soubor projektu. Doporučujeme importovat pouze modely z těchto souborů. Chtěli byste pokračovat?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Pamatuj si moji volbu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Otevřít jako projekt" +msgid "Import all as models" +msgstr "Importovat vše jako modely" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Uložit projekt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Nezobrazovat souhrn projektu při uložení znovu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importovat modely" +msgid "Save" +msgstr "Uložit" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Smazat nebo nechat změny" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -4010,1255 +3982,144 @@ msgstr "" "Chcete tato změněná nastavení zachovat i po přepnutí profilů?\n" "V opačném případě můžete změny smazat a načíst výchozí hodnoty z '%1'." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Nastavení profilu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Aktuální změny" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Vždy se zeptat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Smazat a už se nikdy neptat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Nechat a už se nikdy neptat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Smazat změny" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Zanechat změny" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Otevřít soubor s projektem" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Ve vybraných souborech jsme našli jeden nebo více projektových souborů. Naraz můžete otevřít pouze jeden soubor projektu. Doporučujeme importovat pouze modely z těchto souborů. Chtěli byste pokračovat?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Toto je soubor projektu Cura. Chcete jej otevřít jako projekt nebo importovat z něj modely?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Pamatuj si moji volbu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importovat vše jako modely" +msgid "Open as project" +msgstr "Otevřít jako projekt" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Uložit projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Nezobrazovat souhrn projektu při uložení znovu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Uložit" +msgid "Import models" +msgstr "Importovat modely" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Tisknout vybraný model pomocí %1" -msgstr[1] "Tisknout vybraný model pomocí %1" -msgstr[2] "Tisknout vybraný model pomocí %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Bez názvu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Soubor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "Upr&avit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "Po&hled" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "Nasta&vení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "D&oplňky" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&reference" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "Po&moc" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Nový projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Obchod" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfigurace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Tato konfigurace není k dispozici, protože %1 nebyl rozpoznán. Navštivte prosím %2 a stáhněte si správný materiálový profil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Obchod" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Načítání dostupných konfigurací z tiskárny ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Konfigurace nejsou k dispozici, protože je tiskárna odpojena." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Vybrat konfiguraci" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfigurace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Vlastní" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Tiskárna" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Povoleno" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "S touto kombinací materiálu pro lepší adhezi použijte lepidlo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Tisknout vybraný model pomocí:" -msgstr[1] "Tisknout vybrané modely pomocí:" -msgstr[2] "Tisknout vybrané modely pomocí:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Násobit vybraný model" -msgstr[1] "Násobit vybrané modele" -msgstr[2] "Násobit vybrané modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Počet kopií" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Uložit projekt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportovat..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Výběr exportu..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Oblíbené" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Obecné" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Otevřít soubor(y)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Tiskárny s povolenou sítí" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Lokální tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Otevřít &Poslední" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Uložit projekt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Tiskárna" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Nastavit jako aktivní extruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Povolit extuder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Zakázat Extruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Viditelná nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Sbalit všechny kategorie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Spravovat nastavení viditelnosti ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Pozice &kamery" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Pohled kamery" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortografický" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "Pod&ložka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Nepřipojen k tiskárně" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Tiskárna nepřijímá příkazy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "V údržbě. Prosím zkontrolujte tiskíárnu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Ztráta spojení s tiskárnou" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Tisknu..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Pozastaveno" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Připravuji..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Prosím odstraňte výtisk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Zrušit tisk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Jste si jist, že chcete zrušit tisknutí?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Je tisknuto jako podpora." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Ostatní modely překrývající se s tímto modelem jsou upraveny." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Výplň překrývající se s tímto modelem byla modifikována." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Přesahy na tomto modelu nejsou podporovány." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Přepíše %1 nastavení." -msgstr[1] "Přepíše %1 nastavení." -msgstr[2] "Přepíše %1 nastavení." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Seznam objektů" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Rozhranní" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Měna:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Styl:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Aby se tyto změny projevily, budete muset aplikaci restartovat." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Slicovat automaticky při změně nastavení." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Slicovat automaticky" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Chování výřezu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Zvýraznit červeně místa modelu bez podpor. Bez podpor tyto místa nebudou správně vytisknuta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Zobrazit převis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Zvýraznit chybějící nebo vedlejší povrchy modelu pomocí varovných značek. Dráhám nástrojů budou často chybět části zamýšlené geometrie." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Zobrazovat chyby modelu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Při výběru modelu pohybuje kamerou tak, aby byl model ve středu pohledu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Vycentrovat kameru pokud je vybrána položka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Mělo by být výchozí chování přiblížení u cury invertováno?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Obrátit směr přibližování kamery." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Mělo by se přibližování pohybovat ve směru myši?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "V pravoúhlé perspektivě není podporováno přiblížení směrem k myši." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Přiblížit směrem k směru myši" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Měly by se modely na platformě pohybovat tak, aby se již neprotínaly?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Zajistěte, aby modely byly odděleny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Měly by být modely na platformě posunuty dolů tak, aby se dotýkaly podložky?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Automaticky přetáhnout modely na podložku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Zobrazte v čtečce g-kódu varovnou zprávu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Upozornění ve čtečce G-kódu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Měla by být vrstva vynucena do režimu kompatibility?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Vynutit režim kompatibility zobrazení vrstev (vyžaduje restart)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Měla by se Cura otevřít v místě, kde byla uzavřena?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Při zapnutí obnovit pozici okna" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Jaký typ kamery by se měl použít?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Vykreslování kamery:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspektiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ortografický" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Otevírám a ukládám soubory" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Měli by se soubory z plochy, nebo externích aplikací otevírat ve stejné instanci Cury?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Používat pouze jednu instanci programu Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Měly by být modely upraveny na velikost podložky, pokud jsou příliš velké?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Škálovat velké modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Model se může jevit velmi malý, pokud je jeho jednotka například v metrech, nikoli v milimetrech. Měly by být tyto modely škálovány?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Škálovat extrémně malé modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Měly by být modely vybrány po načtení?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Vybrat modely po načtení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Je třeba k názvu tiskové úlohy přidat předponu založenou na názvu tiskárny automaticky?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Přidat předponu zařízení před název úlohy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Mělo by se při ukládání souboru projektu zobrazit souhrn?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Zobrazit souhrnný dialog při ukládání projektu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Výchozí chování při otevírání souboru" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Výchozí chování při otevření souboru s projektem: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Vždy se zeptat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Vždy otevírat jako projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Vždy importovat modely" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Pokud jste provedli změny v profilu a přepnuli na jiný, zobrazí se dialogové okno s dotazem, zda si přejete zachovat své modifikace nebo ne, nebo si můžete zvolit výchozí chování a už nikdy toto dialogové okno nezobrazovat." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profily" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Výchozí chování pro změněné hodnoty nastavení při přepnutí na jiný profil: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Vždy smazat změněné nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Vždy přesunout nastavení do nového profilu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Soukromí" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Měla by být anonymní data o vašem tisku zaslána společnosti Ultimaker? Upozorňujeme, že nejsou odesílány ani ukládány žádné modely, adresy IP ani jiné osobní údaje." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Posílat (anonymní) informace o tisku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Více informací" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Aktualizace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Měla by Cura zkontrolovat aktualizace při spuštění programu?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Zkontrolovat aktualizace při zapnutí" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Při kontrole aktualizací kontrolovat pouze stabilní vydání." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Pouze stabilní vydání" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Při kontrole aktualizací kontrolovat stabilní i beta vydání." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Stabilní a beta vydání" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Mají být při každém startu Cury automaticky kontrolovány nové moduly? Důrazně doporučujeme tuto možnost nevypínat!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Získávat oznámení o aktualizacích modulů" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivovat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Přejmenovat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Vytvořit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplikovat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Import" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Export" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Synchronizovat s tiskárnami" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Tiskárna" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Potvrdit odstranění" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Doopravdy chcete odstranit %1? Toto nelze vrátit zpět!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importovat materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Nelze importovat materiál %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Úspěšně importován materiál %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportovat materiál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Neúspěch při exportu materiálu do %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Úspěšné exportování materiálu do %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Exportovat všechny materiály" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Potvrdit změnu průměru" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Nový průměr vlákna je nastaven na %1 mm, což není kompatibilní s aktuálním extrudérem. Přejete si pokračovat?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Jméno" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Typ materiálu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Barva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Vlastnosti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Husttoa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Průměr" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Cena filamentu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Váha filamentu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Délka filamentu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Cena za metr" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Tento materiál je propojen s %1 a sdílí některé jeho vlastnosti." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Zrušit propojení s materiálem" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Popis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informace o adhezi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Nastavení tisku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Vytvořit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplikovat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Vytvořit profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Prosím uveďte jméno pro tento profil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplikovat profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Přejmenovat profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importovat profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportovat profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Tiskárna: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Aktualizovat profil s aktuálním nastavení/přepsánímy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Zrušit aktuální změny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Tento profil používá výchozí nastavení zadaná tiskárnou, takže nemá žádná nastavení / přepíše v níže uvedeném seznamu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Vaše aktuální nastavení odpovídá vybranému profilu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Globální nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Vypočítáno" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Nastavení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Aktuální" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Jednotka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Nastavení zobrazení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Zkontrolovat vše" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extuder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Cílová teplota hotendu. Hotend se ohřeje nebo ochladí na tuto teplotu. Pokud je 0, ohřev teplé vody je vypnutý." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Aktuální teplota tohoto hotendu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Teplota pro předehřátí hotendu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Zrušit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Předehřání" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Před tiskem zahřejte hotend předem. Můžete pokračovat v úpravách tisku, zatímco se zahřívá, a nemusíte čekat na zahřátí hotendu, až budete připraveni k tisku." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Barva materiálu v tomto extruderu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Materiál v tomto extruderu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Vložená trysky v tomto extruderu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Podložka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Cílová teplota vyhřívací podložky. Podložka se zahřeje, nebo schladí směrem k této teplotě. Pokud je 0, tak je vyhřívání podložky vypnuto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Aktuální teplota vyhřívané podložky." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Teplota pro předehřátí podložky." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Před tiskem zahřejte postel předem. Můžete pokračovat v úpravě tisku, zatímco se zahřívá, a nemusíte čekat, až se postel zahřeje, až budete připraveni k tisku." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Ovládání tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Pozice hlavy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Vzdálenost hlavy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Poslat G kód" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Na připojenou tiskárnu odešlete vlastní příkaz G-kódu. Stisknutím klávesy „Enter“ odešlete příkaz." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Tiskárna není připojena." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "Cloudová tiskárna je offline. Prosím zkontrolujte, zda je tiskárna zapnutá a připojená k internetu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Tiskárna není připojena k vašemu účtu. Prosím navštivte Ultimaker Digital Factory pro navázání spojení." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "Připojení ke cloudu není nyní dostupné. Prosím přihlašte se k připojení ke cloudové tiskárně." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "Připojení ke cloudu není nyní dostupné. Prosím zkontrolujte si vaše internetové připojení." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Přidat tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Spravovat tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Připojené tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Přednastavené tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Aktivní tisk" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Název úlohy" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Čas tisku" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Předpokládaný zbývající čas" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "Cloudová tiskárna je offline. Prosím zkontrolujte, zda je tiskárna zapnutá a připojená k internetu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Tiskárna není připojena k vašemu účtu. Prosím navštivte Ultimaker Digital Factory pro navázání spojení." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "Připojení ke cloudu není nyní dostupné. Prosím přihlašte se k připojení ke cloudové tiskárně." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "Připojení ke cloudu není nyní dostupné. Prosím zkontrolujte si vaše internetové připojení." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Přidat tiskárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Spravovat tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Připojené tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Přednastavené tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Nastavení tisku" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Nastavení tisku zakázáno. Soubor G-kódu nelze změnit." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5269,12 +4130,43 @@ msgstr "" "\n" "Klepnutím otevřete správce profilů." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Vlastní profily" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Zrušit aktuální změny" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Doporučeno" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Vlastní" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Zap" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Vyp" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimentální" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" @@ -5282,108 +4174,1664 @@ msgstr[0] "Neexistuje žádný profil %1 pro konfiguraci v extruderu %2. Místo msgstr[1] "Neexistuje žádný profil %1 pro konfigurace v extruderu %2. Místo toho bude použit výchozí záměr" msgstr[2] "Neexistuje žádný profil %1 pro konfigurace v extruderu %2. Místo toho bude použit výchozí záměr" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Nastavení tisku zakázáno. Soubor G-kódu nelze změnit." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Doporučeno" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Vlastní" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Zap" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Vyp" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Experimentální" +msgid "Profiles" +msgstr "Profily" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Adheze" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Umožňuje tisk okraje nebo voru. Tímto způsobem se kolem nebo pod objekt přidá plochá oblast, kterou lze snadno odříznout." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Postupná výplň" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Postupná výplň postupně zvyšuje množství výplně směrem nahoru." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Upravili jste některá nastavení profilu. Pokud je chcete změnit, přejděte do uživatelského režimu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Podpora" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Vytvořte struktury pro podporu částí modelu, které mají přesahy. Bez těchto struktur by se takové části během tisku zhroutily." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Některá skrytá nastavení používají hodnoty odlišné od jejich normální vypočtené hodnoty.\n" -"\n" -"Klepnutím toto nastavení zviditelníte." +msgid "Gradual infill" +msgstr "Postupná výplň" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Postupná výplň postupně zvyšuje množství výplně směrem nahoru." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Adheze" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Umožňuje tisk okraje nebo voru. Tímto způsobem se kolem nebo pod objekt přidá plochá oblast, kterou lze snadno odříznout." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Uložit projekt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Tiskárny s povolenou sítí" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Lokální tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Oblíbené" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Obecné" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Tisknout vybraný model pomocí:" +msgstr[1] "Tisknout vybrané modely pomocí:" +msgstr[2] "Tisknout vybrané modely pomocí:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Násobit vybraný model" +msgstr[1] "Násobit vybrané modele" +msgstr[2] "Násobit vybrané modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Počet kopií" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Uložit projekt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Exportovat..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Výběr exportu..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Konfigurace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Vlastní" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Tiskárna" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Povoleno" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "S touto kombinací materiálu pro lepší adhezi použijte lepidlo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Vybrat konfiguraci" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Konfigurace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Načítání dostupných konfigurací z tiskárny ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Konfigurace nejsou k dispozici, protože je tiskárna odpojena." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Tato konfigurace není k dispozici, protože %1 nebyl rozpoznán. Navštivte prosím %2 a stáhněte si správný materiálový profil." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Obchod" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Otevřít soubor(y)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Tiskárna" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Nastavit jako aktivní extruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Povolit extuder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Zakázat Extruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Otevřít &Poslední" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Viditelná nastavení" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Sbalit všechny kategorie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Spravovat nastavení viditelnosti ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "Pozice &kamery" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Pohled kamery" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspektiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ortografický" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "Pod&ložka" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Typ pohledu" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Je tisknuto jako podpora." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Ostatní modely překrývající se s tímto modelem jsou upraveny." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Výplň překrývající se s tímto modelem byla modifikována." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Přesahy na tomto modelu nejsou podporovány." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Přepíše %1 nastavení." +msgstr[1] "Přepíše %1 nastavení." +msgstr[2] "Přepíše %1 nastavení." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profily" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Aktivovat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Vytvořit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplikovat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Přejmenovat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Import" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Export" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Vytvořit profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Prosím uveďte jméno pro tento profil." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Duplikovat profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Potvrdit odstranění" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Doopravdy chcete odstranit %1? Toto nelze vrátit zpět!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Přejmenovat profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importovat profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Exportovat profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Tiskárna: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Aktualizovat profil s aktuálním nastavení/přepsánímy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Tento profil používá výchozí nastavení zadaná tiskárnou, takže nemá žádná nastavení / přepíše v níže uvedeném seznamu." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Vaše aktuální nastavení odpovídá vybranému profilu." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Globální nastavení" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Obecné" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Rozhranní" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Měna:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Styl:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Aby se tyto změny projevily, budete muset aplikaci restartovat." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Slicovat automaticky při změně nastavení." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Slicovat automaticky" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Chování výřezu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Zvýraznit červeně místa modelu bez podpor. Bez podpor tyto místa nebudou správně vytisknuta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Zobrazit převis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Zvýraznit chybějící nebo vedlejší povrchy modelu pomocí varovných značek. Dráhám nástrojů budou často chybět části zamýšlené geometrie." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Zobrazovat chyby modelu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Při výběru modelu pohybuje kamerou tak, aby byl model ve středu pohledu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Vycentrovat kameru pokud je vybrána položka" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Mělo by být výchozí chování přiblížení u cury invertováno?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Obrátit směr přibližování kamery." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Mělo by se přibližování pohybovat ve směru myši?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "V pravoúhlé perspektivě není podporováno přiblížení směrem k myši." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Přiblížit směrem k směru myši" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Měly by se modely na platformě pohybovat tak, aby se již neprotínaly?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Zajistěte, aby modely byly odděleny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Měly by být modely na platformě posunuty dolů tak, aby se dotýkaly podložky?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Automaticky přetáhnout modely na podložku" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Zobrazte v čtečce g-kódu varovnou zprávu." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Upozornění ve čtečce G-kódu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Měla by být vrstva vynucena do režimu kompatibility?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Vynutit režim kompatibility zobrazení vrstev (vyžaduje restart)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Měla by se Cura otevřít v místě, kde byla uzavřena?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Při zapnutí obnovit pozici okna" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Jaký typ kamery by se měl použít?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Vykreslování kamery:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspektiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ortografický" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Otevírám a ukládám soubory" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Měli by se soubory z plochy, nebo externích aplikací otevírat ve stejné instanci Cury?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Používat pouze jednu instanci programu Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Má být podložka vyčištěna před načtením nového modelu v jediné instanci Cury?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Vyčistit podložku před načtením modelu do jediné instance" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Měly by být modely upraveny na velikost podložky, pokud jsou příliš velké?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Škálovat velké modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Model se může jevit velmi malý, pokud je jeho jednotka například v metrech, nikoli v milimetrech. Měly by být tyto modely škálovány?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Škálovat extrémně malé modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Měly by být modely vybrány po načtení?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Vybrat modely po načtení" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Je třeba k názvu tiskové úlohy přidat předponu založenou na názvu tiskárny automaticky?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Přidat předponu zařízení před název úlohy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Mělo by se při ukládání souboru projektu zobrazit souhrn?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Zobrazit souhrnný dialog při ukládání projektu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Výchozí chování při otevírání souboru" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Výchozí chování při otevření souboru s projektem: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Vždy se zeptat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Vždy otevírat jako projekt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Vždy importovat modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Pokud jste provedli změny v profilu a přepnuli na jiný, zobrazí se dialogové okno s dotazem, zda si přejete zachovat své modifikace nebo ne, nebo si můžete zvolit výchozí chování a už nikdy toto dialogové okno nezobrazovat." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Výchozí chování pro změněné hodnoty nastavení při přepnutí na jiný profil: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Vždy smazat změněné nastavení" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Vždy přesunout nastavení do nového profilu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Soukromí" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Měla by být anonymní data o vašem tisku zaslána společnosti Ultimaker? Upozorňujeme, že nejsou odesílány ani ukládány žádné modely, adresy IP ani jiné osobní údaje." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Posílat (anonymní) informace o tisku" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Více informací" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Aktualizace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Měla by Cura zkontrolovat aktualizace při spuštění programu?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Zkontrolovat aktualizace při zapnutí" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Při kontrole aktualizací kontrolovat pouze stabilní vydání." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Pouze stabilní vydání" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Při kontrole aktualizací kontrolovat stabilní i beta vydání." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Stabilní a beta vydání" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Mají být při každém startu Cury automaticky kontrolovány nové moduly? Důrazně doporučujeme tuto možnost nevypínat!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Získávat oznámení o aktualizacích modulů" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Potvrdit změnu průměru" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Nový průměr vlákna je nastaven na %1 mm, což není kompatibilní s aktuálním extrudérem. Přejete si pokračovat?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Jméno" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Typ materiálu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Barva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Vlastnosti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Husttoa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Průměr" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Cena filamentu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Váha filamentu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Délka filamentu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Cena za metr" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Tento materiál je propojen s %1 a sdílí některé jeho vlastnosti." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Zrušit propojení s materiálem" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Popis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Informace o adhezi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Vytvořit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplikovat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Synchronizovat s tiskárnami" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Tiskárna" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importovat materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Nelze importovat materiál %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Úspěšně importován materiál %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportovat materiál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Neúspěch při exportu materiálu do %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Úspěšné exportování materiálu do %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Exportovat všechny materiály" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Nastavení zobrazení" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Zkontrolovat vše" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Vypočítáno" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Nastavení" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Aktuální" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Jednotka" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Nepřipojen k tiskárně" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Tiskárna nepřijímá příkazy" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "V údržbě. Prosím zkontrolujte tiskíárnu" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Ztráta spojení s tiskárnou" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Tisknu..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Pozastaveno" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Připravuji..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Prosím odstraňte výtisk" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Zrušit tisk" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Jste si jist, že chcete zrušit tisknutí?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Tisknout vybraný model pomocí %1" +msgstr[1] "Tisknout vybraný model pomocí %1" +msgstr[2] "Tisknout vybraný model pomocí %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Moje tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Sledujte tiskárny v Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Vytvořte tiskové projekty v Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Tiskové úlohy" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Sledujte tiskové úlohy a znovu tiskněte z historie." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Rozšiřte Ultimaker Cura pomocí modulů a materiálových profilů." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Staňte se expertem na 3D tisk díky Ultimaker e-learningu." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimaker podpora" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Zjistěte, jak začít s Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Položit otázku" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Poraďte se s Ultimaker komunitou." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Nahlásit chybu" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Dejte vývojářům vědět, že je něco špatně." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Navštivte web Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Ovládání tiskárny" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Pozice hlavy" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Vzdálenost hlavy" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Poslat G kód" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Na připojenou tiskárnu odešlete vlastní příkaz G-kódu. Stisknutím klávesy „Enter“ odešlete příkaz." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extuder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Cílová teplota hotendu. Hotend se ohřeje nebo ochladí na tuto teplotu. Pokud je 0, ohřev teplé vody je vypnutý." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Aktuální teplota tohoto hotendu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Teplota pro předehřátí hotendu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Zrušit" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Předehřání" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Před tiskem zahřejte hotend předem. Můžete pokračovat v úpravách tisku, zatímco se zahřívá, a nemusíte čekat na zahřátí hotendu, až budete připraveni k tisku." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Barva materiálu v tomto extruderu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Materiál v tomto extruderu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Vložená trysky v tomto extruderu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Tiskárna není připojena." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Podložka" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Cílová teplota vyhřívací podložky. Podložka se zahřeje, nebo schladí směrem k této teplotě. Pokud je 0, tak je vyhřívání podložky vypnuto." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Aktuální teplota vyhřívané podložky." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Teplota pro předehřátí podložky." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Před tiskem zahřejte postel předem. Můžete pokračovat v úpravě tisku, zatímco se zahřívá, a nemusíte čekat, až se postel zahřeje, až budete připraveni k tisku." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Přihlásit se" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Přidejte materiálnové profily and moduly z Obchodu\n" +"- Zálohujte a synchronizujte vaše materiálové profily and moduly\n" +"- Sdílejte nápady a získejte pomoc od více než 48 000 uživatelů v Ultimaker komunitě" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Vytvořit účet Ultimaker zdarma" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Poslední aktualizace: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker Account" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Odhlásit se" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Kontroluji..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Účet byl synchronizován" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Nastala chyba..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Nainstalujte čekající aktualizace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Zkontrolovat aktualizace pro účet" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Bez názvu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Není z čeho vybírat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Zobrazit online průvodce řešením problémů" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Přepnout zobrazení na celou obrazovku" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Ukončit zobrazení na celou obrazovku" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Vrátit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Znovu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Ukončit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D Pohled" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Přední pohled" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Pohled seshora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Pohled zezdola" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Pohled z pravé strany" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Pohled z pravé strany" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Konfigurovat Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "Přidat t&iskárnu..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Spravovat &tiskárny..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Spravovat materiály..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Přidat více materiálů z obchodu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Aktualizovat profil s aktuálními nastaveními/přepsáními" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "Smazat aktuální &změny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Vytvořit profil z aktuálního nastavení/přepsání." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Spravovat profily..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Zobrazit online &dokumentaci" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Nahlásit &chybu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Co je nového" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Více..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Smazat vybrané" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centrovat vybrané" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Násobit vybrané" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Odstranit model" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "&Centerovat model na podložce" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "Sesk&upit modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Rozdělit modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Spo&jit modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "Náso&bení modelu..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Vybrat všechny modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Vyčistit podložku" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Znovu načíst všechny modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Uspořádejte všechny modely do všechpodložek" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Uspořádat všechny modely" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Uspořádat selekci" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Resetovat všechny pozice modelů" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Resetovat všechny transformace modelů" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Otevřít soubor(y)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nový projekt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Zobrazit složku s konfigurací" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Konfigurovat viditelnost nastavení..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "Mark&et" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Toto nastavení se nepoužívá, protože všechna nastavení, která ovlivňuje, jsou přepsána." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Ovlivňuje" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Ovlivněno" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Toto nastavení je vždy sdíleno všemi extrudéry. Jeho změnou se změní hodnota všech extruderů." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Toto nastavení je vyřešeno z konfliktních hodnot specifického extruder:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5394,7 +5842,7 @@ msgstr "" "\n" "Klepnutím obnovíte hodnotu profilu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5405,507 +5853,93 @@ msgstr "" "\n" "Klepnutím obnovíte vypočítanou hodnotu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Prohledat nastavení" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Kopírovat hodnotu na všechny extrudery" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Kopírovat všechny změněné hodnoty na všechny extrudery" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Schovat toto nastavení" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Neukazovat toto nastavení" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Nechat toto nastavení viditelné" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3D Pohled" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Přední pohled" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Pohled seshora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Pohled zleva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Pohled zprava" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Typ pohledu" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"Některá skrytá nastavení používají hodnoty odlišné od jejich normální vypočtené hodnoty.\n" +"\n" +"Klepnutím toto nastavení zviditelníte." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Přidat Cloudovou tiskárnu" +msgid "This package will be installed after restarting." +msgstr "Tento balíček bude nainstalován po restartování." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Čekám na odpověď od Cloudu" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Nastavení" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Žádné tiskárny nenalezeny ve vašem účtě?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Zavírám %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Následující tiskárny ve vašem účtě byla přidány do Cury:" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Doopravdy chcete zavřít %1?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Přidat tiskárnu manuálně" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Nainstalovat balíček" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Výrobce" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Otevřít Soubor(y)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor profilu" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Ve vybraných souborech jsme našli jeden nebo více souborů G-kódu. Naraz můžete otevřít pouze jeden soubor G-kódu. Pokud chcete otevřít soubor G-Code, vyberte pouze jeden." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Název tiskárny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Pojmenujte prosím svou tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "Přidat tiskárnu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Přidat síťovou tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Přidat ne-síťovou tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Přes síť nebyla nalezena žádná tiskárna." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Obnovit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Přidat tiskárnu podle IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Přidat cloudovou tiskárnu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Podpora při problémech" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Přidat tiskárnu podle IP adresy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Zadejte IP adresu vaší tiskárny." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Přidat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Nelze se připojit k zařízení." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Nemůžete se připojit k Vaší tiskárně Ultimaker?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "Tiskárna na této adrese dosud neodpověděla." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Tuto tiskárnu nelze přidat, protože se jedná o neznámou tiskárnu nebo není hostitelem skupiny." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Zpět" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Připojit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Poznámky k vydání" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Přidat nastavení materiálů a moduly z Obchodu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Zálohovat a synchronizovat nastavení materiálů a moduly" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Sdílejte nápady a získejte pomoc od více než 48 0000 uživatelů v Ultimaker komunitě" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Přeskočit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Vytvořit účet Ultimaker zdarma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Pomožte nám zlepšovat Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu, včetně:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Typy zařízení" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Použití materiálu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Počet sliců" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Nastavení tisku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Data shromážděná společností Ultimaker Cura nebudou obsahovat žádné osobní údaje." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Více informací" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Prázdné" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Uživatelská dohoda" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Odmítnout a zavřít" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Vítejte v Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "Při nastavování postupujte podle těchto pokynů Ultimaker Cura. Bude to trvat jen několik okamžiků." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Začínáme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Co je nového" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Není z čeho vybírat" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Zkontroluje možné tiskové modely a konfiguraci tisku a poskytne návrhy." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Kontroler modelu" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Poskytuje podporu pro čtení souborů 3MF." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Čtečka 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Poskytuje podporu pro psaní souborů 3MF." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "Zapisovač 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Poskytuje podporu pro čtení souborů AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Čtečka AMF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Zálohujte a obnovte konfiguraci." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura zálohy" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Poskytuje odkaz na backend krájení CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine Backend" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Poskytuje podporu pro import profilů Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Čtečka Cura profilu" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Poskytuje podporu pro export profilů Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Zapisovač Cura profilu" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Připojuje k Digitální knihovně. Umožňuje Cuře otevírat a ukládat soubory z a do Digitální knihovny." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Digitální knihovna Ultimaker" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Zkontroluje dostupné aktualizace firmwaru." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Kontroler aktualizace firmwaru" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Poskytuje akce počítače pro aktualizaci firmwaru." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Firmware Updater" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Čte g-kód z komprimovaného archivu." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Čtečka kompresovaného G kódu" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Zapíše g-kód do komprimovaného archivu." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Zapisova kompresovaného G kódu" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Poskytuje podporu pro import profilů ze souborů g-kódu." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Čtečka profilu G kódu" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Povoluje načítání a zobrazení souborů G kódu." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Čtečka G kódu" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Zapisuje G kód o souboru." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Zapisovač G kódu" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Umožňuje generovat tiskovou geometrii ze 2D obrazových souborů." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Čtečka obrázků" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Poskytuje podporu pro import profilů ze starších verzí Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Čtečka legacy Cura profilu" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Poskytuje způsob, jak změnit nastavení zařízení (například objem sestavení, velikost trysek atd.)." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Akce nastavení zařízení" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Poskytuje monitorovací scénu v Cuře." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Fáze monitoringu" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5916,85 +5950,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Nástroj pro nastavení pro každý model" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Rozšíření, které umožňuje uživateli vytvořené skripty pro následné zpracování" +msgid "Provides support for importing Cura profiles." +msgstr "Poskytuje podporu pro import profilů Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Post Processing" +msgid "Cura Profile Reader" +msgstr "Čtečka Cura profilu" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Poskytuje přípravnou fázi v Cuře." +msgid "Provides support for reading X3D files." +msgstr "Poskytuje podporu pro čtení souborů X3D." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Fáze přípravy" +msgid "X3D Reader" +msgstr "Čtečka X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Poskytuje fázi náhledu v Cura." +msgid "Backup and restore your configuration." +msgstr "Zálohujte a obnovte konfiguraci." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Fáze náhledu" +msgid "Cura Backups" +msgstr "Cura zálohy" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Poskytuje vyměnitelnou jednotku za plného zapojení a podporu zápisu." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Poskytuje způsob, jak změnit nastavení zařízení (například objem sestavení, velikost trysek atd.)." -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Vyměnitelný zásuvný modul pro výstupní zařízení" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Protokolová určité události, aby je mohl použít reportér havárií" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Záznamník hlavy" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Poskytuje zobrazení simulace." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Pohled simulace" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Odešle anonymní informace o slicování. Lze deaktivovat pomocí preferencí." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Informace o slicování" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Poskytuje normální zobrazení pevné sítě." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Solid View" +msgid "Machine Settings Action" +msgstr "Akce nastavení zařízení" #: SupportEraser/plugin.json msgctxt "description" @@ -6006,35 +6000,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Mazač podpor" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Najděte, spravujte a nainstalujte nové balíčky Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Poskytuje vyměnitelnou jednotku za plného zapojení a podporu zápisu." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Nástroje" +msgid "Removable Drive Output Device Plugin" +msgstr "Vyměnitelný zásuvný modul pro výstupní zařízení" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Poskytuje podporu pro čtení souborů modelu." +msgid "Provides a machine actions for updating firmware." +msgstr "Poskytuje akce počítače pro aktualizaci firmwaru." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Čtečka trimesh" +msgid "Firmware Updater" +msgstr "Firmware Updater" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Poskytuje podporu pro čtení balíčků formátu Ultimaker." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Poskytuje podporu pro import profilů ze starších verzí Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Čtečka UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Čtečka legacy Cura profilu" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Poskytuje podporu pro čtení souborů 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Čtečka 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -6046,25 +6050,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Zapisovač UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Poskytuje akce strojů pro stroje Ultimaker (jako je průvodce vyrovnáváním postele, výběr upgradů atd.)." +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Protokolová určité události, aby je mohl použít reportér havárií" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Akce zařízení Ultimaker" +msgid "Sentry Logger" +msgstr "Záznamník hlavy" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Spravuje síťová připojení k síťovým tiskárnám Ultimaker." +msgid "Provides support for importing profiles from g-code files." +msgstr "Poskytuje podporu pro import profilů ze souborů g-kódu." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Síťové připojení Ultimaker" +msgid "G-code Profile Reader" +msgstr "Čtečka profilu G kódu" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Poskytuje fázi náhledu v Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Fáze náhledu" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Poskytuje rentgenové zobrazení." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Rentgenový pohled" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Poskytuje odkaz na backend krájení CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine Backend" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Poskytuje podporu pro čtení souborů AMF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Čtečka AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Čte g-kód z komprimovaného archivu." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Čtečka kompresovaného G kódu" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Rozšíření, které umožňuje uživateli vytvořené skripty pro následné zpracování" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Post Processing" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Poskytuje podporu pro export profilů Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Zapisovač Cura profilu" #: USBPrinting/plugin.json msgctxt "description" @@ -6076,25 +6150,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB tisk" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Aktualizuje konfigurace z Cura 2.1 na Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Poskytuje přípravnou fázi v Cuře." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Aktualizace verze 2.1 na 2.2" +msgid "Prepare Stage" +msgstr "Fáze přípravy" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Aktualizuje konfigurace z Cura 2.2 na Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Povoluje načítání a zobrazení souborů G kódu." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Aktualizace verze 2.2 na 2.4" +msgid "G-code Reader" +msgstr "Čtečka G kódu" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Umožňuje generovat tiskovou geometrii ze 2D obrazových souborů." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Čtečka obrázků" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Poskytuje akce strojů pro stroje Ultimaker (jako je průvodce vyrovnáváním postele, výběr upgradů atd.)." + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Akce zařízení Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Zapíše g-kód do komprimovaného archivu." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Zapisova kompresovaného G kódu" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Zkontroluje dostupné aktualizace firmwaru." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Kontroler aktualizace firmwaru" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Odešle anonymní informace o slicování. Lze deaktivovat pomocí preferencí." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Informace o slicování" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Poskytuje funkce pro čtení a zápis materiálových profilů založených na XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Materiálové profily" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Připojuje k Digitální knihovně. Umožňuje Cuře otevírat a ukládat soubory z a do Digitální knihovny." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Digitální knihovna Ultimaker" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Najděte, spravujte a nainstalujte nové balíčky Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Nástroje" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Zapisuje G kód o souboru." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Zapisovač G kódu" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Poskytuje zobrazení simulace." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Pohled simulace" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Aktualizuje konfigurace z Cura 4.5 na Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Aktualizace verze 4.5 na 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6106,55 +6290,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Aktualizace verze 2.5 na 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Aktualizuje konfigurace z Cura 2.6 na Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Aktualizuje konfigurace z Cura 4.6.0 na Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Aktualizace verze 2.6 na 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Aktualizace verze 4.6.0 na 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Aktualizuje konfigurace z Cura 2.7 na Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Aktualizuje konfigurace z Cura 4.7 na Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Aktualizace verze 2.7 na 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Aktualizuje konfigurace z Cura 3.0 na Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Aktualizace verze 3.0 na 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Aktualizuje konfigurace z Cura 3.2 na Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Aktualizace verze 3.2 na 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Aktualizuje konfigurace z Cura 3.3 na Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Aktualizace verze 3.3 na 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Aktualizace verze 4.7 na 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6166,45 +6320,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Aktualizace verze 3.4 na 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Aktualizuje konfigurace z Cura 3.5 na Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Aktualizuje konfigurace z Cura 2.1 na Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Aktualizace verze 3.5 na 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Aktualizace verze 2.1 na 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Aktualizuje konfigurace z Cura 4.0 na Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Aktualizuje konfigurace z Cura 3.2 na Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Aktualizace verze 4.0 na 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Aktualizace verze 3.2 na 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "" +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Aktualizuje konfigurace z Cura 4.8 na Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Aktualizace verze 4.8 na 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Aktualizuje konfigurace z Cura 4.1 na Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Aktualizuje konfigurace z Cura 4.6.2 na Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Aktualizace verze 4.1 na 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Aktualizace verze 4.6.2 na 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6226,66 +6380,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Aktualizace verze 4.3 na 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Aktualizuje konfigurace z Cura 4.4 na Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Aktualizace verze 4.4 na 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Aktualizuje konfigurace z Cura 4.5 na Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Aktualizace verze 4.5 na 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Aktualizuje konfigurace z Cura 4.6.0 na Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Aktualizace verze 4.6.0 na 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Aktualizuje konfigurace z Cura 4.6.2 na Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Aktualizace verze 4.6.2 na 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Aktualizuje konfigurace z Cura 4.7 na Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Aktualizace verze 4.7 na 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Aktualizuje konfigurace z Cura 4.8 na Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Aktualizace verze 4.8 na 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6296,35 +6390,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Aktualizace verze 4.9 na 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Poskytuje podporu pro čtení souborů X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Aktualizuje konfigurace z Cura 2.7 na Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Čtečka X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Aktualizace verze 2.7 na 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Poskytuje funkce pro čtení a zápis materiálových profilů založených na XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Aktualizuje konfigurace z Cura 2.6 na Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Materiálové profily" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Aktualizace verze 2.6 na 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Poskytuje rentgenové zobrazení." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Aktualizuje konfigurace z Cura 4.11 na Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Rentgenový pohled" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Aktualizace verze 4.11 na 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Aktualizuje konfigurace z Cura 3.3 na Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Aktualizace verze 3.3 na 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Aktualizuje konfigurace z Cura 3.0 na Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Aktualizace verze 3.0 na 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Aktualizuje konfigurace z Cura 4.0 na Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Aktualizace verze 4.0 na 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Aktualizuje konfigurace z Cura 4.4 na Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Aktualizace verze 4.4 na 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Aktualizuje konfigurace z Cura 2.2 na Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Aktualizace verze 2.2 na 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Aktualizuje konfigurace z Cura 4.1 na Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Aktualizace verze 4.1 na 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Aktualizuje konfigurace z Cura 3.5 na Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Aktualizace verze 3.5 na 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Spravuje síťová připojení k síťovým tiskárnám Ultimaker." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Síťové připojení Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Poskytuje podporu pro čtení souborů modelu." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Čtečka trimesh" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Poskytuje podporu pro čtení balíčků formátu Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Čtečka UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Poskytuje normální zobrazení pevné sítě." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Solid View" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Poskytuje podporu pro psaní souborů 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Zapisovač 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Poskytuje monitorovací scénu v Cuře." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Fáze monitoringu" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Zkontroluje možné tiskové modely a konfiguraci tisku a poskytne návrhy." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Kontroler modelu" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/cs_CZ/fdmextruder.def.json.po b/resources/i18n/cs_CZ/fdmextruder.def.json.po index 7c049e9260..3dbaac522c 100644 --- a/resources/i18n/cs_CZ/fdmextruder.def.json.po +++ b/resources/i18n/cs_CZ/fdmextruder.def.json.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2020-02-20 17:30+0100\n" "Last-Translator: DenyCZ \n" "Language-Team: DenyCZ \n" diff --git a/resources/i18n/cs_CZ/fdmprinter.def.json.po b/resources/i18n/cs_CZ/fdmprinter.def.json.po index 5ca79b0fec..879acc0598 100644 --- a/resources/i18n/cs_CZ/fdmprinter.def.json.po +++ b/resources/i18n/cs_CZ/fdmprinter.def.json.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-04 19:37+0200\n" "Last-Translator: Miroslav Šustek \n" "Language-Team: DenyCZ \n" @@ -153,6 +153,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Hlouba (Isa Y) plochy k tisku." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Výška zařízení" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Výška (Osa Z) plochy k tisku." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -193,16 +203,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Hliník" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Výška zařízení" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Výška (Osa Z) plochy k tisku." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -560,8 +560,8 @@ msgstr "Maximální rychlost pro motor ve směru Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Maximální feedrate" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1730,7 +1730,7 @@ msgstr "Výplňový vzor" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." msgstr "" #: fdmprinter.def.json @@ -1771,7 +1771,7 @@ msgstr "Oktet" #: fdmprinter.def.json msgctxt "infill_pattern option quarter_cubic" msgid "Quarter Cubic" -msgstr "Čtvrtina krychlove" +msgstr "Čtvrtinově krychlový" #: fdmprinter.def.json msgctxt "infill_pattern option concentric" @@ -1781,7 +1781,7 @@ msgstr "Soustředný" #: fdmprinter.def.json msgctxt "infill_pattern option zigzag" msgid "Zig Zag" -msgstr "Zig Zag" +msgstr "Cik-cak" #: fdmprinter.def.json msgctxt "infill_pattern option cross" @@ -1801,7 +1801,7 @@ msgstr "Gyroid" #: fdmprinter.def.json msgctxt "infill_pattern option lightning" msgid "Lightning" -msgstr "" +msgstr "Bleskový" #: fdmprinter.def.json msgctxt "zig_zaggify_infill label" @@ -2020,41 +2020,41 @@ msgstr "Počet výplňových vrstev, které podporují okraje povrchu." #: fdmprinter.def.json msgctxt "lightning_infill_support_angle label" msgid "Lightning Infill Support Angle" -msgstr "" +msgstr "Úhel podpory bleskové výplně" #: fdmprinter.def.json msgctxt "lightning_infill_support_angle description" msgid "Determines when a lightning infill layer has to support anything above it. Measured in the angle given the thickness of a layer." -msgstr "" +msgstr "Určuje, kdy má vrstva bleskové výplně nad sebou něco, co má podporovat. Zadává se jako úhel a řídí se tloušťkou vrstvy." #: fdmprinter.def.json msgctxt "lightning_infill_overhang_angle label" msgid "Lightning Infill Overhang Angle" -msgstr "" +msgstr "Úhel převisu bleskové podpory" #: fdmprinter.def.json msgctxt "lightning_infill_overhang_angle description" msgid "Determines when a lightning infill layer has to support the model above it. Measured in the angle given the thickness." -msgstr "" +msgstr "Určuje, od jakého úhlu převisu bude vrstva bleskové výplň podporovat model nad sebou." #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle label" msgid "Lightning Infill Prune Angle" -msgstr "" +msgstr "Úhel ústupu bleskové vrstvy" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" msgid "Lightning Infill Straightening Angle" -msgstr "" +msgstr "Úhel vyrovnávání bleskové vrstvy" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." msgstr "" #: fdmprinter.def.json @@ -3250,7 +3250,7 @@ msgstr "Vše" #: fdmprinter.def.json msgctxt "retraction_combing option no_outer_surfaces" msgid "Not on Outer Surface" -msgstr "" +msgstr "Ne na vnějším povrchu" #: fdmprinter.def.json msgctxt "retraction_combing option noskin" @@ -5204,7 +5204,7 @@ msgstr "Minimální šířka formy" #: fdmprinter.def.json msgctxt "mold_width description" msgid "The minimal distance between the outside of the mold and the outside of the model." -msgstr "" +msgstr "Minimální vzdálenost mezi vnější stranou formy a modelu." #: fdmprinter.def.json msgctxt "mold_roof_height label" @@ -6480,6 +6480,22 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Transformační matice, která se použije na model při načítání ze souboru." +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Maximální feedrate" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Vzor výplňového materiálu tisku. Čáry a cik-cak s každou vrstvou obracejí směr výplně, čímž se snižují náklady na materiál. Mřížka, trojúhelník, tri-hexagon, krychle, oktet, čtvrtinově krychlový, křížový a soustředný vzor jsou plně vytištěny v každé vrstvě. Vzory gyroid, krychlový, čtvrtinově krychlový a oktet se mění s každou vrstvou, aby se zajistilo rovnoměrnější rozložení síly v každém směru. Bleskový vzor se snaží minimalizovat množství výplně tím, že podporuje pouze horní povrchy objektu. U bleskového vzoru má procento význam pouze v první vrstvě pod každým povrchem." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "Určuje, pod jakým úhlem mezi jednotlivými vrstvami se větve bleskové výplně zkracují." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "Určuje, pod jakým úhlem mezi jednotlivými vrstvami může docházet k vyrovnávání větví bleskové výplně." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Vzor výplňového materiálu tisku. Směr a cik-cak vyplňují směr výměny na alternativních vrstvách, čímž se snižují náklady na materiál. Mřížka, trojúhelník, tri-hexagon, krychlový, oktet, čtvrtý krychlový, křížový a soustředný obrazec jsou plně vytištěny v každé vrstvě. Výplň Gyroid, krychlový, kvartální a oktet se mění s každou vrstvou, aby se zajistilo rovnoměrnější rozložení síly v každém směru." diff --git a/resources/i18n/cura.pot b/resources/i18n/cura.pot index 8181654643..629b2c3a6a 100644 --- a/resources/i18n/cura.pot +++ b/resources/i18n/cura.pot @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" -"Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"Report-Msgid-Bugs-To: \n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" @@ -18,223 +18,464 @@ msgstr "" "Content-Transfer-Encoding: 8bit\n" "Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "" -"The printer(s) below cannot be connected because they are part of a group" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 -#, python-brace-format -msgctxt "@label {0} is the name of a printer that's about to be deleted." -msgid "Are you sure you wish to remove {0}? This cannot be undone!" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 -msgctxt "@label" -msgid "Default" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "" -"The visual profile is designed to print visual prototypes and models with " -"the intent of high visual and surface quality." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "" -"The engineering profile is designed to print functional prototypes and end-" -"use parts with the intent of better accuracy and for closer tolerances." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "" -"The draft profile is designed to print initial prototypes and concept " -"validation with the intent of significant print time reduction." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 msgctxt "@action:button" msgid "" "Please sync the material profiles with your printers before starting to " "print." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 msgctxt "@action:button" msgid "New materials installed" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 msgctxt "@action:button" msgid "Sync materials with printers" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 msgctxt "@action:button" msgid "Learn more" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 msgctxt "@message:text" msgid "Could not save material archive to {}:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 msgctxt "@message:title" msgid "Failed to save material archive" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 -msgctxt "@label" -msgid "Custom profiles" +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "All Supported Types ({0})" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 -msgctxt "@item:inlistbox" -msgid "All Files (*)" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 -msgctxt "@info:title" -msgid "Login failed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 -msgctxt "@info:status" -msgid "Finding new location for objects" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 -msgctxt "@info:title" -msgid "Finding Location" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 -msgctxt "@info:status" -msgid "Unable to find a location within the build volume for all objects" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 -msgctxt "@info:title" -msgid "Can't Find Location" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 msgctxt "@info:status" msgid "" "The build volume height has been reduced due to the value of the \"Print " "Sequence\" setting to prevent the gantry from colliding with printed models." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 msgctxt "@info:title" msgid "Build Volume" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 +#, python-brace-format +msgctxt "@label {0} is the name of a printer that's about to be deleted." +msgid "Are you sure you wish to remove {0}? This cannot be undone!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "" +"The printer(s) below cannot be connected because they are part of a group" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 +msgctxt "@label" +msgid "Default" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 +msgctxt "@label" +msgid "Custom profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "All Supported Types ({0})" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 +msgctxt "@item:inlistbox" +msgid "All Files (*)" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "" +"The visual profile is designed to print visual prototypes and models with " +"the intent of high visual and surface quality." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "" +"The engineering profile is designed to print functional prototypes and end-" +"use parts with the intent of better accuracy and for closer tolerances." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "" +"The draft profile is designed to print initial prototypes and concept " +"validation with the intent of significant print time reduction." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 +msgctxt "@info:title" +msgid "Login failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 +msgctxt "@info:status" +msgid "Finding new location for objects" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 +msgctxt "@info:title" +msgid "Finding Location" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 +msgctxt "@info:status" +msgid "Unable to find a location within the build volume for all objects" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 +msgctxt "@info:title" +msgid "Can't Find Location" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "" +"Failed to connect to Digital Factory to sync materials with some of the " +"printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "" +"@info 'width', 'depth' and 'height' are variable names that must NOT be " +"translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format +msgctxt "@info:status" +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 +msgctxt "@info:title" +msgid "Warning" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right." @@ -249,32 +490,32 @@ msgid "" " " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report " @@ -284,221 +525,186 @@ msgid "" " " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "

  • OpenGL Version: {version}
  • " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "" -"@info 'width', 'depth' and 'height' are variable names that must NOT be " -"translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "" "Unable to start a new sign in process. Check if another sign in attempt is " "still active." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "" +"Settings have been changed to match the current availability of extruders:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "" @@ -506,20 +712,20 @@ msgid "" "overwrite it?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "" "Failed to export profile to {0}: {1}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "" @@ -527,44 +733,44 @@ msgid "" "failure." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "" "Can't import profile from {0} before a printer is added." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "" @@ -572,51 +778,51 @@ msgid "" "import it." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "" @@ -624,7 +830,7 @@ msgid "" "definition '{1}'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "" @@ -633,179 +839,201 @@ msgid "" "combination that can use this quality type." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" +msgid "Per Model Settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "" -"Settings have been changed to match the current availability of extruders:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" +msgid "Backups" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" +msgid "Saving" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and " -"material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.\n" -"

    View print quality " -"guide

    " +msgid "Could not save to removable drive {0}: {1}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "" @@ -814,12 +1042,12 @@ msgid "" "instead." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "" @@ -827,20 +1055,20 @@ msgid "" "." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "" "Project file {0} is corrupt: {1}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "" @@ -848,146 +1076,95 @@ msgid "" "unknown to this version of Ultimaker Cura." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "" -"The operating system does not allow saving a project file to this location " -"or with this file name." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" +msgid "Ultimaker Format Package" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" +msgid "G-code File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" +msgid "Preview" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "" "Slicing failed with an unexpected error. Please consider reporting a bug on " "our issue tracker." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "" "Unable to slice with the current material as it is incompatible with the " "selected machine or configuration." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "" @@ -995,7 +1172,7 @@ msgid "" "errors: {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "" @@ -1003,13 +1180,13 @@ msgid "" "errors on one or more models: {error_labels}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "" "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "" @@ -1017,7 +1194,7 @@ msgid "" "%s." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -1026,29 +1203,139 @@ msgid "" "- Are not all set as modifier meshes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" +msgid "AMF File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "" +"A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "" +"A print is still in progress. Cura cannot start another print via USB until " +"the previous print has completed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "" +"Make sure the g-code is suitable for your printer and printer configuration " +"before sending the file to it. The g-code representation may not be accurate." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "" "@info Don't translate {machine_name}, since it gets replaced by a printer " @@ -1059,451 +1346,308 @@ msgid "" "printer to version {latest_version}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "" -"Make sure the g-code is suitable for your printer and printer configuration " -"before sending the file to it. The g-code representation may not be accurate." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "" -"The highlighted areas indicate either missing or extraneous surfaces. Fix " -"your model and open it again into Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" +msgid "Layer view" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" +msgid "Connect via Network" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "" +"You are attempting to connect to a printer that is not running Ultimaker " +"Connect. Please update the printer to the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Cura has detected material profiles that were not yet installed on the host " +"printer of group {0}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"You are attempting to connect to {0} but it is not the host of a group. You " +"can visit the web page to configure it as a group host." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" +msgid "Configure group" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting " +"your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1511,71 +1655,71 @@ msgid_plural "... and {0} others" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1589,7 +1733,7 @@ msgid_plural "" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be " @@ -1597,458 +1741,442 @@ msgid "" "Are you sure you want to continue?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting " -"your printer to Digital Factory" +"The highlighted areas indicate either missing or extraneous surfaces. Fix " +"your model and open it again into Cura." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 msgctxt "@info:title" -msgid "Are you ready for cloud printing?" +msgid "Model Errors" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "" -"You are attempting to connect to a printer that is not running Ultimaker " -"Connect. Please update the printer to the latest firmware." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Cura has detected material profiles that were not yet installed on the host " -"printer of group {0}." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"You are attempting to connect to {0} but it is not the host of a group. You " -"can visit the web page to configure it as a group host." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 msgctxt "@item:inmenu" -msgid "USB printing" +msgid "Solid view" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "" +"The operating system does not allow saving a project file to this location " +"or with this file name." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 +#, python-brace-format msgctxt "@info:status" -msgid "Connected via USB" +msgid "" +"

    One or more 3D models may not print optimally due to the model size and " +"material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.\n" +"

    View print quality " +"guide

    " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "" -"A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgid "Mesh Type" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "" -"A print is still in progress. Cura cannot start another print via USB until " -"the previous print has completed." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" +msgid "Infill mesh only" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" +msgid "Cutting mesh" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "" -"Some things could be problematic in this print. Click to see tips for " -"adjustment." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 -msgctxt "@title:window" -msgid "Open Project" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 -msgctxt "@action:ComboBox Update/override existing profile" -msgid "Update existing" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 -msgctxt "@action:ComboBox Save settings in a new profile" -msgid "Create new" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 -msgctxt "@action:title" -msgid "Summary - Cura Project" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 -msgctxt "@action:label" -msgid "Printer settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 -msgctxt "@info:tooltip" -msgid "How should the conflict in the machine be resolved?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 -msgctxt "@action:label" -msgid "Type" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -msgctxt "@action:label" -msgid "Printer Group" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 -msgctxt "@action:label" -msgid "Profile settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 -msgctxt "@info:tooltip" -msgid "How should the conflict in the profile be resolved?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 -msgctxt "@action:label" -msgid "Name" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 -msgctxt "@action:label" -msgid "Intent" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 -msgctxt "@action:label" -msgid "Not in profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 -msgctxt "@action:label" -msgid "%1 override" -msgid_plural "%1 overrides" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 -msgctxt "@action:label" -msgid "Derivative from" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 -msgctxt "@action:label" -msgid "%1, %2 override" -msgid_plural "%1, %2 overrides" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 -msgctxt "@action:label" -msgid "Material settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 -msgctxt "@info:tooltip" -msgid "How should the conflict in the material be resolved?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 -msgctxt "@action:label" -msgid "Setting visibility" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 -msgctxt "@action:label" -msgid "Mode" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 -msgctxt "@action:label" -msgid "Visible settings:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 -msgctxt "@action:label" -msgid "%1 out of %2" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 -msgctxt "@action:warning" -msgid "Loading a project will clear all models on the build plate." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "Open" +msgid "Select settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 msgctxt "@button" msgid "Want more?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 msgctxt "@button" msgid "Backup Now" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 msgctxt "@checkbox:description" msgid "Auto Backup" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 msgctxt "@checkbox:description" msgid "Automatically create a backup each day that Cura is started." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 msgctxt "@button" msgid "Restore" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 msgctxt "@dialog:title" msgid "Delete Backup" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 msgctxt "@dialog:info" msgid "Are you sure you want to delete this backup? This cannot be undone." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 msgctxt "@dialog:title" msgid "Restore Backup" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 msgctxt "@dialog:info" msgid "" "You will need to restart Cura before your backup is restored. Do you want to " "close Cura now?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 -msgctxt "@title:window" -msgid "Cura Backups" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 msgctxt "@title" msgid "My Backups" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 msgctxt "@empty_state" msgid "" "You don't have any backups currently. Use the 'Backup Now' button to create " "one." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 msgctxt "@backup_limit_info" msgid "" "During the preview phase, you'll be limited to 5 visible backups. Remove a " "backup to see older ones." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 msgctxt "@title" msgid "Update Firmware" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" msgid "" "Firmware is the piece of software running directly on your 3D printer. This " @@ -2056,122 +2184,289 @@ msgid "" "makes your printer work." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" msgid "" "The firmware shipping with new printers works, but new versions tend to have " "more features and improvements." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" msgid "Automatically upgrade Firmware" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 msgctxt "@action:button" msgid "Upload custom Firmware" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 msgctxt "@label" msgid "" "Firmware can not be updated because there is no connection with the printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 msgctxt "@label" msgid "" "Firmware can not be updated because the connection with the printer does not " "support upgrading firmware." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" msgid "Select custom firmware" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" msgid "Firmware Update" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" msgid "Updating firmware." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" msgid "Firmware update completed." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" msgid "Firmware update failed due to an unknown error." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 msgctxt "@label" msgid "Firmware update failed due to an communication error." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 msgctxt "@label" msgid "Firmware update failed due to an input/output error." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 msgctxt "@label" msgid "Firmware update failed due to missing firmware." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +msgctxt "@title:window" +msgid "Open Project" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +msgctxt "@action:ComboBox Update/override existing profile" +msgid "Update existing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +msgctxt "@action:ComboBox Save settings in a new profile" +msgid "Create new" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +msgctxt "@action:title" +msgid "Summary - Cura Project" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +msgctxt "@action:label" +msgid "Printer settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +msgctxt "@info:tooltip" +msgid "How should the conflict in the machine be resolved?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +msgctxt "@action:label" +msgid "Type" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +msgctxt "@action:label" +msgid "Printer Group" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +msgctxt "@action:label" +msgid "Profile settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +msgctxt "@info:tooltip" +msgid "How should the conflict in the profile be resolved?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +msgctxt "@action:label" +msgid "Name" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +msgctxt "@action:label" +msgid "Intent" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +msgctxt "@action:label" +msgid "Not in profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +msgctxt "@action:label" +msgid "%1 override" +msgid_plural "%1 overrides" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +msgctxt "@action:label" +msgid "Derivative from" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +msgctxt "@action:label" +msgid "%1, %2 override" +msgid_plural "%1, %2 overrides" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +msgctxt "@action:label" +msgid "Material settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +msgctxt "@info:tooltip" +msgid "How should the conflict in the material be resolved?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +msgctxt "@action:label" +msgid "Setting visibility" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +msgctxt "@action:label" +msgid "Mode" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +msgctxt "@action:label" +msgid "Visible settings:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +msgctxt "@action:label" +msgid "%1 out of %2" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +msgctxt "@action:warning" +msgid "Loading a project will clear all models on the build plate." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +msgctxt "@action:button" +msgid "Open" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 +msgctxt "@title:window" +msgid "Post Processing Plugin" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 +msgctxt "@label" +msgid "Post Processing Scripts" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 +msgctxt "@label" +msgid "Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "" "For lithophanes dark pixels should correspond to thicker locations in order " @@ -2180,35 +2475,35 @@ msgid "" "the generated 3D model." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "" "For lithophanes a simple logarithmic model for translucency is available. " "For height maps the pixel values correspond to heights linearly." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "" "The percentage of light penetrating a print with a thickness of 1 " @@ -2216,734 +2511,44 @@ msgid "" "decreases the contrast in light regions of the image." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 msgctxt "@label" -msgid "Nozzle size" +msgid "Please select any upgrades made to this Ultimaker Original" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 msgctxt "@label" -msgid "mm" +msgid "Heated Build Plate (official kit or self-built)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 -msgctxt "@label" -msgid "Nozzle offset X" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 -msgctxt "@info" -msgid "" -"Please make sure your printer has a connection:\n" -"- Check if the printer is turned on.\n" -"- Check if the printer is connected to the network.\n" -"- Check if you are signed in to discover cloud-connected printers." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 -msgctxt "@info" -msgid "Please connect your printer to the network." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 -msgctxt "@label link to technical assistance" -msgid "View user manuals online" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 -msgctxt "@info" -msgid "In order to monitor your print from Cura, please connect the printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 -msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 -msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "" -"Ultimaker Cura collects anonymous data in order to improve the print quality " -"and user experience. Below is an example of all the data that is shared:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 -msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 -msgctxt "@label" -msgid "Search materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Downgrade" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "" -"The following packages can not be installed because of an incompatible Cura " -"version:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "" -"You are uninstalling materials and/or profiles that are still in use. " -"Confirming will reset the following materials/profiles to their defaults." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "" -"Could not connect to the Cura Package database. Please check your connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "" -"Please sign in to get verified plugins and materials for Ultimaker Cura " -"Enterprise" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" -msgid "Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 msgctxt "@title" msgid "Build Plate Leveling" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 msgctxt "@label" msgid "" "To make sure your prints will come out great, you can now adjust your " @@ -2951,7 +2556,7 @@ msgid "" "the different positions that can be adjusted." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 msgctxt "@label" msgid "" "For every position; insert a piece of paper under the nozzle and adjust the " @@ -2959,32 +2564,696 @@ msgid "" "paper is slightly gripped by the tip of the nozzle." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 msgctxt "@action:button" msgid "Start Build Plate Leveling" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 msgctxt "@action:button" msgid "Move to Next Position" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "" +"Ultimaker Cura collects anonymous data in order to improve the print quality " +"and user experience. Below is an example of all the data that is shared:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 +msgctxt "@label" +msgid "Will install upon restarting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 +msgctxt "@label" +msgid "Community Contributions" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 +msgctxt "@label" +msgid "Community Plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 +msgctxt "@label" +msgid "Generic Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 +msgctxt "@label" +msgid "Website" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 +msgctxt "@label" +msgid "Email" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "" +"Please sign in to get verified plugins and materials for Ultimaker Cura " +"Enterprise" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 +msgctxt "@label" +msgid "Version" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 +msgctxt "@label" +msgid "Last updated" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 +msgctxt "@label" +msgid "Brand" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 +msgctxt "@label" +msgid "Downloads" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "" +"Could not connect to the Cura Package database. Please check your connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 +msgctxt "@label" +msgid "You need to accept the license to install the package" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 +msgctxt "@label" +msgid "The following packages will be added:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 +msgctxt "@label" +msgid "" +"The following packages can not be installed because of an incompatible Cura " +"version:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "" +"You are uninstalling materials and/or profiles that are still in use. " +"Confirming will reset the following materials/profiles to their defaults." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +msgctxt "@label" +msgid "Color scheme" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 +msgctxt "@label" +msgid "Compatibility Mode" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 +msgctxt "@label" +msgid "Travels" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 +msgctxt "@label" +msgid "Helpers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 +msgctxt "@label" +msgid "Shell" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +msgctxt "@label" +msgid "Infill" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 +msgctxt "@label" +msgid "Starts" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 +msgctxt "@label" +msgid "Only Show Top Layers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "" +"Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click " +"\"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "" +"The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "" +"The printer %1 is assigned, but the job contains an unknown material " +"configuration." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "" +"Override will use the specified settings with the existing printer " +"configuration. This may result in a failed print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 msgctxt "@title:window" msgid "Connect to Networked Printer" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 msgctxt "@label" msgid "" "To print directly to your printer over the network, please make sure your " @@ -2994,1155 +3263,776 @@ msgid "" "printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 msgctxt "@label" msgid "Select your printer from the list below:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 msgctxt "@action:button" msgid "Edit" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 msgctxt "@action:button" msgid "Remove" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 msgctxt "@action:button" msgid "Refresh" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 msgctxt "@label" msgid "" "If your printer is not listed, read the network printing " "troubleshooting guide" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 msgctxt "@label" msgid "Type" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 msgctxt "@label" msgid "Firmware version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 msgctxt "@label" msgid "Address" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 msgctxt "@label" msgid "This printer is not set up to host a group of printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 msgctxt "@label" msgid "This printer is the host for a group of %1 printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 msgctxt "@label" msgid "The printer at this address has not yet responded." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 msgctxt "@action:button" msgid "Connect" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 msgctxt "@title:window" msgid "Invalid IP address" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 msgctxt "@text" msgid "Please enter a valid IP address." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 msgctxt "@title:window" msgid "Printer Address" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 msgctxt "@label" msgid "Enter the IP address of your printer on the network." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "" -"The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "" -"The printer %1 is assigned, but the job contains an unknown material " -"configuration." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "" -"Override will use the specified settings with the existing printer " -"configuration. This may result in a failed print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 msgctxt "@label" msgid "Move to top" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 msgctxt "@label" msgid "Delete" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 msgctxt "@label" msgid "Resume" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 msgctxt "@label" msgid "Pausing..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 msgctxt "@label" msgid "Resuming..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 msgctxt "@label" msgid "Pause" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 msgctxt "@label" msgid "Aborting..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 msgctxt "@label" msgid "Abort" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 msgctxt "@label %1 is the name of a print job." msgid "Are you sure you want to move %1 to the top of the queue?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 msgctxt "@window:title" msgid "Move print job to top" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 msgctxt "@label %1 is the name of a print job." msgid "Are you sure you want to delete %1?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 msgctxt "@window:title" msgid "Delete print job" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 msgctxt "@label %1 is the name of a print job." msgid "Are you sure you want to abort %1?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 msgctxt "@window:title" msgid "Abort print" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" -"Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click " -"\"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +"Please make sure your printer has a connection:\n" +"- Check if the printer is turned on.\n" +"- Check if the printer is connected to the network.\n" +"- Check if you are signed in to discover cloud-connected printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 +msgctxt "@info" +msgid "Please connect your printer to the network." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 +msgctxt "@label link to technical assistance" +msgid "View user manuals online" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 +msgctxt "@info" +msgid "In order to monitor your print from Cura, please connect the printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 +msgctxt "@info:tooltip" +msgid "" +"Some things could be problematic in this print. Click to see tips for " +"adjustment." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 +msgctxt "@info:tooltip" +msgid "3D View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 +msgctxt "@info:tooltip" +msgid "Front View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Untitled" +msgid "Object list" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Details" +msgid "Marketplace" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Print over network" +msgid "New project" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" +"Are you sure you want to start a new project? This will clear the build " +"plate and any unsaved settings." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." +msgid "Time estimation" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" msgid "" -"We have found one or more G-Code files within the files you have selected. " -"You can only open one G-Code file at a time. If you want to open a G-Code " -"file, please just select only one." +"This printer cannot be added because it's an unknown printer or it's not the " +"host of a group." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "" +"Please follow these steps to set up Ultimaker Cura. This will only take a " +"few moments." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "" +"Ultimaker Cura collects anonymous data to improve print quality and user " +"experience, including:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "" +"Data collected by Ultimaker Cura will not contain any personal information." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" "Cura proudly uses the following open source projects:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" +msgid "Open file(s)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 -msgctxt "@text:window" -msgid "" -"This is a Cura project file. Would you like to open it as a project or " -"import the models from it?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 -msgctxt "@action:button" -msgid "Open as project" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 -msgctxt "@action:button" -msgid "Import models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 -msgctxt "@title:window" -msgid "Discard or Keep changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 -msgctxt "@text:window, %1 is a profile name" -msgid "" -"You have customized some profile settings.\n" -"Would you like to Keep these changed settings after switching profiles?\n" -"Alternatively, you can discard the changes to load the defaults from '%1'." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 -msgctxt "@title:column" -msgid "Profile settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 -msgctxt "@title:column" -msgid "Current changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 -msgctxt "@option:discardOrKeep" -msgid "Always ask me this" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 -msgctxt "@option:discardOrKeep" -msgid "Discard and never ask again" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 -msgctxt "@option:discardOrKeep" -msgid "Keep and never ask again" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 -msgctxt "@action:button" -msgid "Discard changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 -msgctxt "@action:button" -msgid "Keep changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" msgid "" "We have found one or more project file(s) within the files you have " @@ -4150,1268 +4040,202 @@ msgid "" "import models from those files. Would you like to proceed?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" msgid "Import all as models" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 msgctxt "@title:window" msgid "Save Project" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 msgctxt "@action:label" msgid "Extruder %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 msgctxt "@action:label" msgid "%1 & material" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 msgctxt "@action:label" msgid "Material" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 msgctxt "@action:label" msgid "Don't show project summary on save again" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" msgid "Save" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" -msgid "New project" +msgid "Discard or Keep changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +msgctxt "@text:window, %1 is a profile name" msgid "" -"Are you sure you want to start a new project? This will clear the build " -"plate and any unsaved settings." +"You have customized some profile settings.\n" +"Would you like to Keep these changed settings after switching profiles?\n" +"Alternatively, you can discard the changes to load the defaults from '%1'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +msgctxt "@title:column" +msgid "Profile settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +msgctxt "@title:column" +msgid "Current changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "" -"This configuration is not available because %1 is not recognized. Please " -"visit %2 to download the correct material profile." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "" -"The configurations are not available because the printer is disconnected." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "" -"You will need to restart the application for these changes to have effect." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "" -"Highlight unsupported areas of the model in red. Without support these areas " -"will not print properly." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "" -"Highlight missing or extraneous surfaces of the model using warning signs. " -"The toolpaths will often be missing parts of the intended geometry." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "" -"Moves the camera so the model is in the center of the view when a model is " -"selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "" -"Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "" -"Should models on the platform be moved so that they no longer intersect?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "" -"Should opening files from the desktop or external applications open in the " -"same instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "" -"Should the build plate be cleared before loading a new model in the single " -"instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "" -"An model may appear extremely small if its unit is for example in meters " -"rather than millimeters. Should these models be scaled up?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "" -"Should a prefix based on the printer name be added to the print job name " -"automatically?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 +msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "" -"When you have made changes to a profile and switched to a different one, a " -"dialog will be shown asking whether you want to keep your modifications or " -"not, or you can choose a default behaviour and never show that dialog again." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "" -"Default behavior for changed setting values when switching to a different " -"profile: " -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" +msgid "Discard and never ask again" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" +msgid "Keep and never ask again" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "" -"Should anonymous data about your print be sent to Ultimaker? Note, no " -"models, IP addresses or other personally identifiable information is sent or " -"stored." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" -msgid "More information" +msgid "Discard changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "" -"Should an automatic check for new plugins be done every time Cura is " -"started? It is highly recommended that you do not disable this!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" -msgid "Activate" +msgid "Keep changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +msgctxt "@text:window" +msgid "" +"This is a Cura project file. Would you like to open it as a project or " +"import the models from it?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Rename" +msgid "Open as project" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Create" +msgid "Import models" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "" -"Could not import material %1: %2" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "" -"Failed to export material to %1: %2" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "" -"The new filament diameter is set to %1 mm, which is not compatible with the " -"current extruder. Do you wish to continue?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" -msgid "Display Name" +msgid "Active print" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" -msgid "Material Type" +msgid "Job Name" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" -msgid "Color" +msgid "Printing Time" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" -msgid "Properties" +msgid "Estimated time left" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "" -"This profile uses the defaults specified by the printer, so it has no " -"settings/overrides in the list below." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "" -"The target temperature of the hotend. The hotend will heat up or cool down " -"towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "" -"Heat the hotend in advance before printing. You can continue adjusting your " -"print while it is heating, and you won't have to wait for the hotend to heat " -"up when you're ready to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "" -"The target temperature of the heated bed. The bed will heat up or cool down " -"towards this temperature. If this is 0, the bed heating is turned off." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "" -"Heat the bed in advance before printing. You can continue adjusting your " -"print while it is heating, and you won't have to wait for the bed to heat up " -"when you're ready to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "" -"Send a custom G-code command to the connected printer. Press 'enter' to send " -"the command." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 msgctxt "@status" msgid "" "The cloud printer is offline. Please check if the printer is turned on and " "connected to the internet." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 msgctxt "@status" msgid "" "This printer is not linked to your account. Please visit the Ultimaker " "Digital Factory to establish a connection." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 msgctxt "@status" msgid "" "The cloud connection is currently unavailable. Please sign in to connect to " "the cloud printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 msgctxt "@status" msgid "" "The cloud connection is currently unavailable. Please check your internet " "connection." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 msgctxt "@button" msgid "Add printer" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 msgctxt "@button" msgid "Manage printers" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 msgctxt "@label" msgid "Connected printers" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 msgctxt "@label" msgid "Preset printers" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 msgctxt "@label" -msgid "Active print" +msgid "Print settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 -msgctxt "@label" -msgid "Job Name" +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 -msgctxt "@label" -msgid "Printing Time" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 -msgctxt "@label" -msgid "Estimated time left" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the " @@ -5420,12 +4244,43 @@ msgid "" "Click to open the profile manager." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "" "@label %1 is filled in with the type of a profile. %2 is filled with a list " "of numbers (eg '1' or '1, 2')" @@ -5438,117 +4293,1729 @@ msgid_plural "" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" +msgid "Profiles" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "" -"Enable printing a brim or raft. This will add a flat area around or under " -"your object which is easy to cut off afterwards." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "" -"Gradual infill will gradually increase the amount of infill towards the top." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "" "You have modified some profile settings. If you want to change these go to " "custom mode." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "" "Generate structures to support parts of the model which have overhangs. " "Without these structures, such parts would collapse during printing." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated " -"value.\n" -"\n" -"Click to make these settings visible." +msgid "Gradual infill" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "" +"Gradual infill will gradually increase the amount of infill towards the top." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "" +"Enable printing a brim or raft. This will add a flat area around or under " +"your object which is easy to cut off afterwards." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "" +"The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "" +"The configurations are not available because the printer is disconnected." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "" +"This configuration is not available because %1 is not recognized. Please " +"visit %2 to download the correct material profile." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "" +"This profile uses the defaults specified by the printer, so it has no " +"settings/overrides in the list below." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "" +"You will need to restart the application for these changes to have effect." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "" +"Highlight unsupported areas of the model in red. Without support these areas " +"will not print properly." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "" +"Highlight missing or extraneous surfaces of the model using warning signs. " +"The toolpaths will often be missing parts of the intended geometry." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "" +"Moves the camera so the model is in the center of the view when a model is " +"selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "" +"Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "" +"Should models on the platform be moved so that they no longer intersect?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "" +"Should opening files from the desktop or external applications open in the " +"same instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "" +"Should the build plate be cleared before loading a new model in the single " +"instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "" +"An model may appear extremely small if its unit is for example in meters " +"rather than millimeters. Should these models be scaled up?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "" +"Should a prefix based on the printer name be added to the print job name " +"automatically?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "" +"When you have made changes to a profile and switched to a different one, a " +"dialog will be shown asking whether you want to keep your modifications or " +"not, or you can choose a default behaviour and never show that dialog again." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "" +"Default behavior for changed setting values when switching to a different " +"profile: " +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "" +"Should anonymous data about your print be sent to Ultimaker? Note, no " +"models, IP addresses or other personally identifiable information is sent or " +"stored." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "" +"Should an automatic check for new plugins be done every time Cura is " +"started? It is highly recommended that you do not disable this!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "" +"The new filament diameter is set to %1 mm, which is not compatible with the " +"current extruder. Do you wish to continue?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "" +"Could not import material %1: %2" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "" +"Failed to export material to %1: %2" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "" +"Following a few simple steps, you will be able to synchronize all your " +"material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "" +"To automatically sync the material profiles with all your printers connected " +"to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "" +"Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "" +"It seems like you don't have any compatible printers connected to Digital " +"Factory. Make sure your printer is connected and it's running the latest " +"firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "" +"@text In the UI this is followed by a list of steps the user needs to take." +msgid "" +"Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "" +"Insert the USB stick into your printer and launch the procedure to load new " +"material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "" +"Send a custom G-code command to the connected printer. Press 'enter' to send " +"the command." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "" +"The target temperature of the hotend. The hotend will heat up or cool down " +"towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "" +"Heat the hotend in advance before printing. You can continue adjusting your " +"print while it is heating, and you won't have to wait for the hotend to heat " +"up when you're ready to print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "" +"The target temperature of the heated bed. The bed will heat up or cool down " +"towards this temperature. If this is 0, the bed heating is turned off." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "" +"Heat the bed in advance before printing. You can continue adjusting your " +"print while it is heating, and you won't have to wait for the bed to heat up " +"when you're ready to print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "" "This setting is not used because all the settings that it influences are " "overridden." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "" "This setting is always shared between all extruders. Changing it here will " "change the value for all extruders." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5556,7 +6023,7 @@ msgid "" "Click to restore the value of the profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value " @@ -5565,374 +6032,102 @@ msgid "" "Click to restore the calculated value." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 -msgctxt "@label" -msgid "View type" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" msgid "" -"This printer cannot be added because it's an unknown printer or it's not the " -"host of a group." +"Some hidden settings use values different from their normal calculated " +"value.\n" +"\n" +"Click to make these settings visible." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Release Notes" +msgid "This package will be installed after restarting." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" msgid "" -"Ultimaker Cura collects anonymous data to improve print quality and user " -"experience, including:" +"We have found one or more G-Code files within the files you have selected. " +"You can only open one G-Code file at a time. If you want to open a G-Code " +"file, please just select only one." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "" -"Data collected by Ultimaker Cura will not contain any personal information." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "" -"Please follow these steps to set up Ultimaker Cura. This will only take a " -"few moments." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "" - -#: ModelChecker/plugin.json +#: PerObjectSettingsTool/plugin.json msgctxt "description" -msgid "" -"Checks models and print configuration for possible printing issues and give " -"suggestions." +msgid "Provides the Per Model Settings." msgstr "" -#: ModelChecker/plugin.json +#: PerObjectSettingsTool/plugin.json msgctxt "name" -msgid "Model Checker" -msgstr "" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "" - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "" - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "" - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" +msgid "Per Model Settings Tool" msgstr "" #: CuraProfileReader/plugin.json @@ -5945,116 +6140,24 @@ msgctxt "name" msgid "Cura Profile Reader" msgstr "" -#: CuraProfileWriter/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides support for exporting Cura profiles." +msgid "Provides support for reading X3D files." msgstr "" -#: CuraProfileWriter/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Cura Profile Writer" +msgid "X3D Reader" msgstr "" -#: DigitalLibrary/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "" -"Connects to the Digital Library, allowing Cura to open files from and save " -"files to the Digital Library." +msgid "Backup and restore your configuration." msgstr "" -#: DigitalLibrary/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "" - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "" - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "" - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "" - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "" - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "" - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "" - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" +msgid "Cura Backups" msgstr "" #: MachineSettingsAction/plugin.json @@ -6069,54 +6172,15 @@ msgctxt "name" msgid "Machine Settings Action" msgstr "" -#: MonitorStage/plugin.json +#: SupportEraser/plugin.json msgctxt "description" -msgid "Provides a monitor stage in Cura." +msgid "" +"Creates an eraser mesh to block the printing of support in certain places" msgstr "" -#: MonitorStage/plugin.json +#: SupportEraser/plugin.json msgctxt "name" -msgid "Monitor Stage" -msgstr "" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "" - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "" - -#: PostProcessingPlugin/plugin.json -msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "" - -#: PostProcessingPlugin/plugin.json -msgctxt "name" -msgid "Post Processing" -msgstr "" - -#: PrepareStage/plugin.json -msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "" - -#: PrepareStage/plugin.json -msgctxt "name" -msgid "Prepare Stage" -msgstr "" - -#: PreviewStage/plugin.json -msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "" - -#: PreviewStage/plugin.json -msgctxt "name" -msgid "Preview Stage" +msgid "Support Eraser" msgstr "" #: RemovableDriveOutputDevice/plugin.json @@ -6129,85 +6193,34 @@ msgctxt "name" msgid "Removable Drive Output Device Plugin" msgstr "" -#: SentryLogger/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" +msgid "Provides a machine actions for updating firmware." msgstr "" -#: SentryLogger/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Sentry Logger" +msgid "Firmware Updater" msgstr "" -#: SimulationView/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides the Simulation view." +msgid "Provides support for importing profiles from legacy Cura versions." msgstr "" -#: SimulationView/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "Simulation View" +msgid "Legacy Cura Profile Reader" msgstr "" -#: SliceInfoPlugin/plugin.json +#: 3MFReader/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." +msgid "Provides support for reading 3MF files." msgstr "" -#: SliceInfoPlugin/plugin.json +#: 3MFReader/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "" -"Creates an eraser mesh to block the printing of support in certain places" -msgstr "" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "" - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -msgstr "" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "" - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "" - -#: UFPReader/plugin.json -msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "" - -#: UFPReader/plugin.json -msgctxt "name" -msgid "UFP Reader" +msgid "3MF Reader" msgstr "" #: UFPWriter/plugin.json @@ -6220,6 +6233,137 @@ msgctxt "name" msgid "UFP Writer" msgstr "" +#: SentryLogger/plugin.json +msgctxt "description" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "" + +#: SentryLogger/plugin.json +msgctxt "name" +msgid "Sentry Logger" +msgstr "" + +#: GCodeProfileReader/plugin.json +msgctxt "description" +msgid "Provides support for importing profiles from g-code files." +msgstr "" + +#: GCodeProfileReader/plugin.json +msgctxt "name" +msgid "G-code Profile Reader" +msgstr "" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "" + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "" + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "" + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "" + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "" +"Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "" + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "" + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "" + +#: GCodeReader/plugin.json +msgctxt "description" +msgid "Allows loading and displaying G-code files." +msgstr "" + +#: GCodeReader/plugin.json +msgctxt "name" +msgid "G-code Reader" +msgstr "" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "" + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "" + #: UltimakerMachineActions/plugin.json msgctxt "description" msgid "" @@ -6232,45 +6376,96 @@ msgctxt "name" msgid "Ultimaker machine actions" msgstr "" -#: UM3NetworkPrinting/plugin.json +#: GCodeGzWriter/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." +msgid "Writes g-code to a compressed archive." msgstr "" -#: UM3NetworkPrinting/plugin.json +#: GCodeGzWriter/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" +msgid "Compressed G-code Writer" msgstr "" -#: USBPrinting/plugin.json +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "" + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "" + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "" + +#: DigitalLibrary/plugin.json msgctxt "description" msgid "" -"Accepts G-Code and sends them to a printer. Plugin can also update firmware." +"Connects to the Digital Library, allowing Cura to open files from and save " +"files to the Digital Library." msgstr "" -#: USBPrinting/plugin.json +#: DigitalLibrary/plugin.json msgctxt "name" -msgid "USB printing" +msgid "Ultimaker Digital Library" msgstr "" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: Toolbox/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgid "Find, manage and install new Cura packages." msgstr "" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: Toolbox/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" +msgid "Toolbox" msgstr "" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeWriter/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgid "Writes g-code to a file." msgstr "" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeWriter/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" +msgid "G-code Writer" +msgstr "" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "" + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" msgstr "" #: VersionUpgrade/VersionUpgrade25to26/plugin.json @@ -6283,54 +6478,24 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." msgstr "" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" msgstr "" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." msgstr "" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" +msgid "Version Upgrade 4.7 to 4.8" msgstr "" #: VersionUpgrade/VersionUpgrade34to35/plugin.json @@ -6343,44 +6508,44 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." msgstr "" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" +msgid "Version Upgrade 2.1 to 2.2" msgstr "" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." msgstr "" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" +msgid "Version Upgrade 3.2 to 3.3" msgstr "" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." msgstr "" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" +msgid "Version Upgrade 4.8 to 4.9" msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" msgstr "" #: VersionUpgrade/VersionUpgrade42to43/plugin.json @@ -6403,66 +6568,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6473,32 +6578,174 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." msgstr "" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" +msgid "Version Upgrade 2.7 to 3.0" msgstr "" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." msgstr "" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" +msgid "Version Upgrade 2.6 to 2.7" msgstr "" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." msgstr "" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "" + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "" + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "" + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "" + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "" + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "" + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "" +"Checks models and print configuration for possible printing issues and give " +"suggestions." +msgstr "" + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" msgstr "" diff --git a/resources/i18n/de_DE/cura.po b/resources/i18n/de_DE/cura.po index 17b103447a..6bd25123f9 100644 --- a/resources/i18n/de_DE/cura.po +++ b/resources/i18n/de_DE/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-11-08 11:30+0100\n" "Last-Translator: Lionbridge \n" "Language-Team: German , German \n" @@ -17,190 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Unbekannt" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Konnte kein Archiv von Benutzer-Datenverzeichnis {} erstellen" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Der/die nachfolgende(n) Drucker kann/können nicht verbunden werden, weil er/sie Teil einer Gruppe ist/sind" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Verfügbare vernetzte Drucker" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Versucht, ein Cura-Backup-Verzeichnis ohne entsprechende Daten oder Metadaten wiederherzustellen." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nicht überschrieben" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Versucht, ein Cura-Backup wiederherzustellen, das eine höhere Version als die aktuelle hat." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "Beim Versuch, ein Backup von Cura wiederherzustellen, trat der folgende Fehler auf:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Bitte stimmen Sie die Materialprofile auf Ihre Drucker ab („synchronisieren“), bevor Sie mit dem Drucken beginnen." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Neue Materialien installiert" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Materialien mit Druckern synchronisieren" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Mehr erfahren" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Materialarchiv konnte nicht in {} gespeichert werden:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Speichern des Materialarchivs fehlgeschlagen" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Die Höhe der Druckabmessung wurde aufgrund des Wertes der Einstellung „Druckreihenfolge“ reduziert, um eine Kollision der Brücke mit den gedruckten Modellen zu verhindern." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Produktabmessungen" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Möchten Sie {0} wirklich entfernen? Der Vorgang kann nicht rückgängig gemacht werden!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nicht überschrieben" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Unbekannt" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Der/die nachfolgende(n) Drucker kann/können nicht verbunden werden, weil er/sie Teil einer Gruppe ist/sind" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Verfügbare vernetzte Drucker" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Visuell" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Das visuelle Profil wurde für den Druck visueller Prototypen und Modellen entwickelt, bei denen das Ziel eine hohe visuelle Qualität und eine hohe Oberflächenqualität ist." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Das Engineering-Profil ist für den Druck von Funktionsprototypen und Endnutzungsteilen gedacht, bei denen Präzision gefragt ist und engere Toleranzen gelten." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Entwurf" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Das Entwurfsprofil wurde für erste Prototypen und die Konzeptvalidierung entwickelt, um einen deutlich schnelleren Druck zu ermöglichen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Bitte stimmen Sie die Materialprofile auf Ihre Drucker ab („synchronisieren“), bevor Sie mit dem Drucken beginnen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Neue Materialien installiert" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Materialien mit Druckern synchronisieren" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Mehr erfahren" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Benutzerdefiniertes Material" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Materialarchiv konnte nicht in {} gespeichert werden:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Speichern des Materialarchivs fehlgeschlagen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Benutzerdefinierte Profile" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Alle unterstützten Typen ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Alle Dateien (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Visuell" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Das visuelle Profil wurde für den Druck visueller Prototypen und Modellen entwickelt, bei denen das Ziel eine hohe visuelle Qualität und eine hohe Oberflächenqualität ist." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Das Engineering-Profil ist für den Druck von Funktionsprototypen und Endnutzungsteilen gedacht, bei denen Präzision gefragt ist und engere Toleranzen gelten." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Entwurf" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Das Entwurfsprofil wurde für erste Prototypen und die Konzeptvalidierung entwickelt, um einen deutlich schnelleren Druck zu ermöglichen." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Benutzerdefiniertes Material" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Benutzerdefiniert" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Login fehlgeschlagen" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Neue Position für Objekte finden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Position finden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Innerhalb der Druckabmessung für alle Objekte konnte keine Position gefunden werden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Kann Position nicht finden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Konnte kein Archiv von Benutzer-Datenverzeichnis {} erstellen" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Versucht, ein Cura-Backup-Verzeichnis ohne entsprechende Daten oder Metadaten wiederherzustellen." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Versucht, ein Cura-Backup wiederherzustellen, das eine höhere Version als die aktuelle hat." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "Beim Versuch, ein Backup von Cura wiederherzustellen, trat der folgende Fehler auf:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Geräte werden geladen..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Erstellungen werden eingerichtet ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Aktives Gerät wird initialisiert ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Gerätemanager wird initialisiert ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Bauraum wird initialisiert ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Die Szene wird eingerichtet..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Die Benutzeroberfläche wird geladen..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Funktion wird initialisiert ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Die Höhe der Druckabmessung wurde aufgrund des Wertes der Einstellung „Druckreihenfolge“ reduziert, um eine Kollision der Brücke mit den gedruckten Modellen zu verhindern." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Es kann nur jeweils ein G-Code gleichzeitig geladen werden. Wichtige {0} werden übersprungen." -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Produktabmessungen" +msgid "Warning" +msgstr "Warnhinweis" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Wenn G-Code geladen wird, kann keine weitere Datei geöffnet werden. Wichtige {0} werden übersprungen." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Fehler" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Überspringen" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Schließen" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Weiter" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Beenden" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Hinzufügen" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Abbrechen" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Gruppe #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Außenwand" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Innenwände" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Außenhaut" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Füllung" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Stützstruktur-Füllung" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Stützstruktur-Schnittstelle" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Stützstruktur" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Skirt" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Einzugsturm" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Bewegungen" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Einzüge" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Sonstige" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Die Versionshinweise konnten nicht geöffnet werden." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura kann nicht starten" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -215,32 +474,32 @@ msgstr "" "

    Senden Sie uns diesen Absturzbericht bitte, um das Problem zu beheben.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Absturzbericht an Ultimaker senden" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Detaillierten Absturzbericht anzeigen" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Konfigurationsordner anzeigen" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Backup und Reset der Konfiguration" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Crash-Bericht" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -251,667 +510,641 @@ msgstr "" "

    Verwenden Sie bitte die Schaltfläche „Bericht senden“, um den Fehlerbericht automatisch an unsere Server zu senden

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Systeminformationen" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Unbekannt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura-Version" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura-Sprache" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Sprache des Betriebssystems" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plattform" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt Version" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt Version" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Noch nicht initialisiert
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL-Version: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL-Anbieter: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL-Renderer: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Fehler-Rückverfolgung" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Protokolle" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Bericht senden" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Geräte werden geladen..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Erstellungen werden eingerichtet ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Aktives Gerät wird initialisiert ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Gerätemanager wird initialisiert ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Bauraum wird initialisiert ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Die Szene wird eingerichtet..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Die Benutzeroberfläche wird geladen..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Funktion wird initialisiert ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Es kann nur jeweils ein G-Code gleichzeitig geladen werden. Wichtige {0} werden übersprungen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Warnhinweis" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Wenn G-Code geladen wird, kann keine weitere Datei geöffnet werden. Wichtige {0} werden übersprungen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Fehler" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Objekte vervielfältigen und platzieren" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Objekte platzieren" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Objekt-Platzierung" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Antwort konnte nicht gelesen werden." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "Angegebener Status ist falsch." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Erteilen Sie bitte die erforderlichen Freigaben bei der Autorisierung dieser Anwendung." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Bei dem Versuch, sich anzumelden, trat ein unerwarteter Fehler auf. Bitte erneut versuchen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Es kann kein neuer Anmeldevorgang gestartet werden. Bitte überprüfen Sie, ob noch ein weiterer Anmeldevorgang aktiv ist." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Der Ultimaker-Konto-Server konnte nicht erreicht werden." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "Angegebener Status ist falsch." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Erteilen Sie bitte die erforderlichen Freigaben bei der Autorisierung dieser Anwendung." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Bei dem Versuch, sich anzumelden, trat ein unerwarteter Fehler auf. Bitte erneut versuchen." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Antwort konnte nicht gelesen werden." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Objekte vervielfältigen und platzieren" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Objekte platzieren" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Objekt-Platzierung" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Nicht unterstützt" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Düse" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Die Einstellungen wurden an die aktuell verfügbaren Extruder angepasst:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Einstellungen aktualisiert" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extruder deaktiviert" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Datei bereits vorhanden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Die Datei {0} ist bereits vorhanden. Soll die Datei wirklich überschrieben werden?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Ungültige Datei-URL:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Export des Profils nach {0} fehlgeschlagen: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Export des Profils nach {0} fehlgeschlagen: Fehlermeldung von Writer-Plugin." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil wurde nach {0} exportiert" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Export erfolgreich ausgeführt" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Import des Profils aus Datei {0}: {1} fehlgeschlagen" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Import des Profils aus Datei {0} kann erst durchgeführt werden, wenn ein Drucker hinzugefügt wurde." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Kein benutzerdefiniertes Profil für das Importieren in Datei {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Import des Profils aus Datei {0} fehlgeschlagen:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Dieses Profil {0} enthält falsche Daten, Importieren nicht möglich." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Import des Profils aus Datei {0} fehlgeschlagen:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Profil {0} erfolgreich importiert." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Datei {0} enthält kein gültiges Profil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Profil {0} hat einen unbekannten Dateityp oder ist beschädigt." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Benutzerdefiniertes Profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Für das Profil fehlt eine Qualitätsangabe." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Es ist noch kein Drucker aktiv." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Das Profil kann nicht hinzugefügt werden." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Der Qualitätstyp „{0}“ ist nicht mit der aktuell aktiven Maschinendefinition „{1}“ kompatibel." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Warnung: Das Profil wird nicht angezeigt, weil sein Qualitätstyp „{0}“ für die aktuelle Konfiguration nicht verfügbar ist. Wechseln Sie zu einer Material-/Düsenkombination, die mit diesem Qualitätstyp kompatibel ist." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Nicht unterstützt" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Düse" +msgid "Per Model Settings" +msgstr "Einstellungen pro Objekt" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Die Einstellungen wurden an die aktuell verfügbaren Extruder angepasst:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Pro Objekteinstellungen konfigurieren" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura-Profil" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D-Datei" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Beim Versuch, Ihr Backup wiederherzustellen, trat ein Fehler auf." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Einstellungen aktualisiert" +msgid "Backups" +msgstr "Backups" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder deaktiviert" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Beim Versuch, Ihr Backup hochzuladen, trat ein Fehler auf." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Hinzufügen" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Ihr Backup wird erstellt..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Beenden" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Beim Erstellen Ihres Backups ist ein Fehler aufgetreten." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Abbrechen" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Ihr Backup wird hochgeladen..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Ihr Backup wurde erfolgreich hochgeladen." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "Das Backup überschreitet die maximale Dateigröße." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Backups verwalten" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Geräteeinstellungen" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Stützstruktur-Blocker" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Erstellt ein Volumen, in dem keine Stützstrukturen gedruckt werden." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Wechseldatenträger" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Speichern auf Wechseldatenträger" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Gruppe #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Auf Wechseldatenträger speichern {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Außenwand" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Es sind keine Dateiformate zum Schreiben vorhanden!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Innenwände" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Wird auf Wechseldatenträger gespeichert {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Außenhaut" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Füllung" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Stützstruktur-Füllung" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Stützstruktur-Schnittstelle" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Stützstruktur" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Skirt" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Einzugsturm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Bewegungen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Einzüge" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Sonstige" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Die Versionshinweise konnten nicht geöffnet werden." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Weiter" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Überspringen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Schließen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "3D-Modell-Assistent" +msgid "Saving" +msgstr "Wird gespeichert" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Konnte nicht als {0} gespeichert werden: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Bei dem Versuch, auf {device} zu schreiben, wurde ein Dateiname nicht gefunden." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Ein oder mehrere 3D-Modelle können möglicherweise aufgrund der Modellgröße und Materialkonfiguration nicht optimal gedruckt werden:

    \n" -"

    {model_names}

    \n" -"

    Erfahren Sie, wie Sie die bestmögliche Druckqualität und Zuverlässigkeit sicherstellen.

    \n" -"

    Leitfaden zu Druckqualität anzeigen

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Konnte nicht auf dem Wechseldatenträger gespeichert werden {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Auf Wechseldatenträger {0} gespeichert als {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Datei wurde gespeichert" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Auswerfen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Wechseldatenträger auswerfen {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Ausgeworfen {0}. Sie können den Datenträger jetzt sicher entfernen." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Hardware sicher entfernen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Auswurf fehlgeschlagen {0}. Möglicherweise wird das Laufwerk von einem anderen Programm verwendet." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Firmware aktualisieren" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04-Profile" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Empfohlen" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Benutzerdefiniert" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Projektdatei {0} enthält einen unbekannten Maschinentyp {1}. Importieren der Maschine ist nicht möglich. Stattdessen werden die Modelle importiert." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Projektdatei öffnen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "Auf Projektdatei {0} kann plötzlich nicht mehr zugegriffen werden: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Projektdatei kann nicht geöffnet werden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Projektdatei {0} ist beschädigt: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "Projektdatei {0} verwendet Profile, die nicht mit dieser Ultimaker Cura-Version kompatibel sind." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Empfohlen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "3MF-Datei" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Das 3MF-Writer-Plugin ist beschädigt." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Kann nicht in UFP-Datei schreiben:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Keine Erlaubnis zum Beschreiben dieses Arbeitsbereichs." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "Das Betriebssystem erlaubt es nicht, eine Projektdatei an diesem Speicherort oder mit diesem Dateinamen zu speichern." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Fehler beim Schreiben von 3MF-Datei." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF-Datei" +msgid "Ultimaker Format Package" +msgstr "Ultimaker Format Package" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura-Projekt 3MF-Datei" +msgid "G-code File" +msgstr "G-Code-Datei" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF-Datei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Backups" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Beim Versuch, Ihr Backup hochzuladen, trat ein Fehler auf." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Ihr Backup wird erstellt..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Beim Erstellen Ihres Backups ist ein Fehler aufgetreten." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Ihr Backup wird hochgeladen..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Ihr Backup wurde erfolgreich hochgeladen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Das Backup überschreitet die maximale Dateigröße." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Beim Versuch, Ihr Backup wiederherzustellen, trat ein Fehler auf." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Backups verwalten" +msgid "Preview" +msgstr "Vorschau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Röntgen-Ansicht" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Schichten werden verarbeitet" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informationen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Fehler beim Slicing mit einem unerwarteten Fehler. Bitte denken Sie daran, Fehler in unserem Issue Tracker zu melden." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Slicing fehlgeschlagen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Einen Fehler melden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Einen Fehler im Issue Tracker von Ultimaker Cura melden." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Slicing mit dem aktuellen Material nicht möglich, da es mit der gewählten Maschine oder Konfiguration nicht kompatibel ist." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Slicing nicht möglich" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Die aktuellen Einstellungen lassen kein Schneiden (Slicing) zu. Die folgenden Einstellungen sind fehlerhaft:{0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Aufgrund der Pro-Modell-Einstellungen ist kein Schneiden (Slicing) möglich. Die folgenden Einstellungen sind für ein oder mehrere Modelle fehlerhaft: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Schneiden (Slicing) ist nicht möglich, da der Einzugsturm oder die Einzugsposition(en) ungültig ist (sind)." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Schneiden (Slicing) ist nicht möglich, da Objekte vorhanden sind, die mit dem deaktivierten Extruder %s verbunden sind." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -924,458 +1157,436 @@ msgstr "" "- Einem aktiven Extruder zugewiesen sind\n" "- Nicht alle als Modifier Meshes eingerichtet sind" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Schichten werden verarbeitet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informationen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura-Profil" +msgid "AMF File" +msgstr "AMF-Datei" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Komprimierte G-Code-Datei" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Nachbearbeitung" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "G-Code ändern" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB-Drucken" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Über USB drucken" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Über USB drucken" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Über USB verbunden" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Ein USB-Druck wird ausgeführt. Das Schließen von Cura beendet diesen Druck. Sind Sie sicher?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Druck wird bearbeitet. Cura kann keinen weiteren Druck via USB starten, bis der vorherige Druck abgeschlossen wurde." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Druck in Bearbeitung" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Vorbereiten" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G-Code parsen" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-Code-Details" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Stellen Sie sicher, dass der G-Code für Ihren Drucker und Ihre Druckerkonfiguration geeignet ist, bevor Sie die Datei senden. Der Darstellung des G-Codes ist möglicherweise nicht korrekt." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G-Datei" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG-Bilddatei" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG-Bilddatei" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG-Bilddatei" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP-Bilddatei" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF-Bilddatei" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Druckbett nivellieren" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Upgrades wählen" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeWriter unterstützt keinen Textmodus." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Zugriff auf Update-Informationen nicht möglich." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Es können neue Funktionen oder Bug-Fixes für Ihren {machine_name} verfügbar sein! Falls noch nicht geschehen, wird empfohlen, die Firmware auf Ihrem Drucker auf Version {latest_version} zu aktualisieren." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Neue %s-stabile Firmware verfügbar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Anleitung für die Aktualisierung" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Firmware aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Komprimierte G-Code-Datei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeWriter unterstützt keinen Textmodus." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-Code-Datei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-Code parsen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-Code-Details" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Stellen Sie sicher, dass der G-Code für Ihren Drucker und Ihre Druckerkonfiguration geeignet ist, bevor Sie die Datei senden. Der Darstellung des G-Codes ist möglicherweise nicht korrekt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G-Datei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter unterstützt keinen Nicht-Textmodus." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Vor dem Exportieren bitte G-Code vorbereiten." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG-Bilddatei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG-Bilddatei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG-Bilddatei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP-Bilddatei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF-Bilddatei" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04-Profile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Geräteeinstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Überwachen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Einstellungen pro Objekt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Pro Objekteinstellungen konfigurieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Nachbearbeitung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-Code ändern" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Vorbereiten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Vorschau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Speichern auf Wechseldatenträger" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Auf Wechseldatenträger speichern {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Es sind keine Dateiformate zum Schreiben vorhanden!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Wird auf Wechseldatenträger gespeichert {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Wird gespeichert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Konnte nicht als {0} gespeichert werden: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Bei dem Versuch, auf {device} zu schreiben, wurde ein Dateiname nicht gefunden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Konnte nicht auf dem Wechseldatenträger gespeichert werden {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Auf Wechseldatenträger {0} gespeichert als {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Datei wurde gespeichert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Auswerfen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Wechseldatenträger auswerfen {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Ausgeworfen {0}. Sie können den Datenträger jetzt sicher entfernen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Hardware sicher entfernen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Auswurf fehlgeschlagen {0}. Möglicherweise wird das Laufwerk von einem anderen Programm verwendet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Wechseldatenträger" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Cura zeigt die Schichten nicht präzise an, wenn „Drucken mit Drahtstruktur“ aktiviert ist." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Simulationsansicht" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Es kann nichts angezeigt werden, weil Sie zuerst das Slicing vornehmen müssen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Keine anzeigbaren Schichten vorhanden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Diese Meldung nicht mehr anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Schichtenansicht" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Die Datei mit den Beispieldaten kann nicht gelesen werden." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Die hervorgehobenen Bereiche kennzeichnen fehlende oder überschüssige Oberflächen. Beheben Sie die Fehler am Modell und öffnen Sie es erneut in Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Modellfehler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Solide Ansicht" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Stützstruktur-Blocker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Erstellt ein Volumen, in dem keine Stützstrukturen gedruckt werden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Möchten Sie Material- und Softwarepakete mit Ihrem Konto synchronisieren?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Von Ihrem Ultimaker-Konto erkannte Änderungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchronisieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchronisierung läuft ..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Ablehnen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Stimme zu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Plugin für Lizenzvereinbarung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Ablehnen und vom Konto entfernen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Sie müssen das Programm beenden und neu starten {}, bevor Änderungen wirksam werden." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Synchronisierung läuft ..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Von Ihrem Ultimaker-Konto erkannte Änderungen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Möchten Sie Material- und Softwarepakete mit Ihrem Konto synchronisieren?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Synchronisieren" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Ablehnen und vom Konto entfernen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "{} Plugins konnten nicht heruntergeladen werden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Öffnen Sie das komprimierte Dreiecksnetz" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Ablehnen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Stimme zu" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Plugin für Lizenzvereinbarung" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter unterstützt keinen Nicht-Textmodus." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Vor dem Exportieren bitte G-Code vorbereiten." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Cura zeigt die Schichten nicht präzise an, wenn „Drucken mit Drahtstruktur“ aktiviert ist." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Simulationsansicht" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Es kann nichts angezeigt werden, weil Sie zuerst das Slicing vornehmen müssen." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Keine anzeigbaren Schichten vorhanden" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Diese Meldung nicht mehr anzeigen" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Schichtenansicht" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Drucken über Netzwerk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Drücken über Netzwerk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Über Netzwerk verbunden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "morgen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Format Package" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "heute" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Kann nicht in UFP-Datei schreiben:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Druckbett nivellieren" +msgid "Connect via Network" +msgstr "Anschluss über Netzwerk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Bitte warten Sie, bis der aktuelle Druckauftrag gesendet wurde." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Druckfehler" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Der Druckauftrag wurde erfolgreich an den Drucker gesendet." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Daten gesendet" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Sie versuchen, sich mit einem Drucker zu verbinden, auf dem Ultimaker Connect nicht läuft. Bitte aktualisieren Sie die Firmware des Druckers." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Drucker aktualisieren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "Die Druckauftragswarteschlange ist voll. Der Drucker kann keinen neuen Auftrag annehmen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Warteschlange voll" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Druckauftrag senden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Druckauftrag wird vorbereitet." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura hat Materialprofile entdeckt, die auf dem Host-Drucker der Gruppe {0} noch nicht installiert wurden." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Material an Drucker senden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Daten konnten nicht in Drucker geladen werden." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Netzwerkfehler" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Sie versuchen, sich mit {0} zu verbinden, aber dieser Drucker ist nicht der Host, der die Gruppe verwaltet. Besuchen Sie die Website, um den Drucker als Host der Gruppe zu konfigurieren." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Nicht Host-Drucker der Gruppe" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Upgrades wählen" +msgid "Configure group" +msgstr "Gruppe konfigurieren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Ihr Drucker {printer_name} könnte über die Cloud verbunden sein.\n" +" Verwalten Sie Ihre Druckwarteschlange und überwachen Sie Ihre Drucke von allen Orten aus, an denen Sie Ihren Drucker mit der Digital Factory verbinden." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Sind Sie bereit für den Cloud-Druck?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Erste Schritte" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Mehr erfahren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Über Cloud drucken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Über Cloud drucken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Über Cloud verbunden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Druck überwachen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Verfolgen Sie den Druck in der Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Unbekannter Fehlercode beim Upload des Druckauftrags: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Ihr Ultimaker-Konto hat einen neuen Drucker erkannt" msgstr[1] "Ihr Ultimaker-Konto hat neue Drucker erkannt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Drucker {name} ({model}) aus Ihrem Konto wird hinzugefügt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1383,70 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... und {0} weiterer" msgstr[1] "... und {0} weitere" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Drucker aus Digital Factory hinzugefügt:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Für einen Drucker ist keine Cloud-Verbindung verfügbar" msgstr[1] "Für mehrere Drucker ist keine Cloud-Verbindung verfügbar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Dieser Drucker ist nicht mit der Digital Factory verbunden:" msgstr[1] "Diese Drucker sind nicht mit der Digital Factory verbunden:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Bitte besuchen Sie {website_link}, um eine Verbindung herzustellen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Druckerkonfigurationen speichern" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Drucker entfernen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} wird bis zur nächsten Synchronisierung entfernt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Wenn Sie {printer_name} dauerhaft entfernen möchten, dann besuchen Sie bitte die {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Möchten Sie {printer_name} wirklich vorübergehend entfernen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Drucker entfernen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1462,755 +1674,1645 @@ msgstr[1] "" "Es werden gleich {0} Drucker aus Cura entfernt. Der Vorgang kann nicht rückgängig gemacht werden. \n" "Möchten Sie wirklich fortfahren?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" "Are you sure you want to continue?" msgstr "Es werden gleich alle Drucker aus Cura entfernt. Dieser Vorgang kann nicht rückgängig gemacht werden.Möchten Sie wirklich fortfahren?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Öffnen Sie das komprimierte Dreiecksnetz" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Die hervorgehobenen Bereiche kennzeichnen fehlende oder überschüssige Oberflächen. Beheben Sie die Fehler am Modell und öffnen Sie es erneut in Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Modellfehler" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Solide Ansicht" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Fehler beim Schreiben von 3MF-Datei." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "Das 3MF-Writer-Plugin ist beschädigt." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Keine Erlaubnis zum Beschreiben dieses Arbeitsbereichs." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "Das Betriebssystem erlaubt es nicht, eine Projektdatei an diesem Speicherort oder mit diesem Dateinamen zu speichern." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF-Datei" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura-Projekt 3MF-Datei" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Überwachen" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "3D-Modell-Assistent" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " msgstr "" -"Ihr Drucker {printer_name} könnte über die Cloud verbunden sein.\n" -" Verwalten Sie Ihre Druckwarteschlange und überwachen Sie Ihre Drucke von allen Orten aus, an denen Sie Ihren Drucker mit der Digital Factory verbinden." +"

    Ein oder mehrere 3D-Modelle können möglicherweise aufgrund der Modellgröße und Materialkonfiguration nicht optimal gedruckt werden:

    \n" +"

    {model_names}

    \n" +"

    Erfahren Sie, wie Sie die bestmögliche Druckqualität und Zuverlässigkeit sicherstellen.

    \n" +"

    Leitfaden zu Druckqualität anzeigen

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Sind Sie bereit für den Cloud-Druck?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Erste Schritte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Mehr erfahren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Sie versuchen, sich mit einem Drucker zu verbinden, auf dem Ultimaker Connect nicht läuft. Bitte aktualisieren Sie die Firmware des Druckers." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Drucker aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura hat Materialprofile entdeckt, die auf dem Host-Drucker der Gruppe {0} noch nicht installiert wurden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Material an Drucker senden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Sie versuchen, sich mit {0} zu verbinden, aber dieser Drucker ist nicht der Host, der die Gruppe verwaltet. Besuchen Sie die Website, um den Drucker als Host der Gruppe zu konfigurieren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Nicht Host-Drucker der Gruppe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Gruppe konfigurieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Bitte warten Sie, bis der aktuelle Druckauftrag gesendet wurde." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Druckfehler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Daten konnten nicht in Drucker geladen werden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Netzwerkfehler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Druckauftrag senden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Druckauftrag wird vorbereitet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "Die Druckauftragswarteschlange ist voll. Der Drucker kann keinen neuen Auftrag annehmen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Warteschlange voll" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Der Druckauftrag wurde erfolgreich an den Drucker gesendet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Daten gesendet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Drucken über Netzwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Drücken über Netzwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Über Netzwerk verbunden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Anschluss über Netzwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "morgen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "heute" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB-Drucken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Über USB drucken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Über USB drucken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Über USB verbunden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Ein USB-Druck wird ausgeführt. Das Schließen von Cura beendet diesen Druck. Sind Sie sicher?" +msgid "Mesh Type" +msgstr "Mesh-Typ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Druck wird bearbeitet. Cura kann keinen weiteren Druck via USB starten, bis der vorherige Druck abgeschlossen wurde." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Normales Modell" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Druck in Bearbeitung" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Als Stützstruktur drucken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Einstellungen für Überlappungen ändern" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Überlappungen nicht unterstützen" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D-Datei" +msgid "Infill mesh only" +msgstr "Nur Mesh-Füllung" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Röntgen-Ansicht" +msgid "Cutting mesh" +msgstr "Mesh beschneiden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Einige Punkte bei diesem Druck könnten problematisch sein. Klicken Sie, um Tipps für die Anpassung zu erhalten." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Einstellungen wählen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Einstellungen für die benutzerdefinierte Anpassung dieses Modells wählen" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtern..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Alle anzeigen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura-Backups" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura-Version" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Maschinen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materialien" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profile" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Plugins" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Möchten Sie mehr?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Jetzt Backup durchführen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Automatisches Backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "An jedem Tag, an dem Cura gestartet wird, ein automatisches Backup erstellen." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Wiederherstellen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Backup löschen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Soll dieses Backup wirklich gelöscht werden? Der Vorgang kann nicht rückgängig gemacht werden." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Backup wiederherstellen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Cura muss neu gestartet werden, um Ihre Datensicherung wiederherzustellen. Möchten Sie Cura jetzt schließen?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Ihre Cura-Einstellungen sichern und synchronisieren." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Anmelden" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Meine Backups" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Sie verfügen derzeit über keine Backups. Verwenden Sie die Schaltfläche ‚Jetzt Backup erstellen‘, um ein Backup zu erstellen." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "In der Vorschau-Phase sind Sie auf 5 sichtbare Backups beschränkt. Ein Backup entfernen, um ältere anzusehen." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Druckereinstellungen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Breite)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Tiefe)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Höhe)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Druckbettform" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Ausgang in Mitte" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Heizbares Bett" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Druckraum aufgeheizt" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-Code-Variante" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Druckkopfeinstellungen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Brückenhöhe" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Anzahl Extruder" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Extruder-Versatzwerte auf GCode anwenden" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Start G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Ende G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Düseneinstellungen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Düsengröße" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Kompatibler Materialdurchmesser" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "X-Versatz Düse" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Y-Versatz Düse" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Kühllüfter-Nr" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "G-Code Extruder-Start" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "G-Code Extruder-Ende" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Drucker" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Firmware aktualisieren" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Die Firmware ist der Teil der Software, der direkt auf Ihrem 3D-Drucker läuft. Diese Firmware kontrolliert die Schrittmotoren, reguliert die Temperatur und sorgt letztlich dafür, dass Ihr Drucker funktioniert." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Die mit neuen Druckern gelieferte Firmware funktioniert, allerdings enthalten neue Versionen üblicherweise mehr Funktionen und Verbesserungen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Firmware automatisch aktualisieren" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Benutzerdefinierte Firmware hochladen" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Firmware kann nicht aktualisiert werden, da keine Verbindung zum Drucker besteht." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Firmware kann nicht aktualisiert werden, da die Verbindung zum Drucker die Firmware-Aktualisierung nicht unterstützt." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Benutzerdefinierte Firmware wählen" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Firmware-Aktualisierung" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Die Firmware wird aktualisiert." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Firmware-Aktualisierung abgeschlossen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Die Firmware-Aktualisierung ist aufgrund eines unbekannten Fehlers fehlgeschlagen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Die Firmware-Aktualisierung ist aufgrund eines Kommunikationsfehlers fehlgeschlagen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Die Firmware-Aktualisierung ist aufgrund eines Eingabe-/Ausgabefehlers fehlgeschlagen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Die Firmware-Aktualisierung ist aufgrund von fehlender Firmware fehlgeschlagen." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Projekt öffnen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Vorhandenes aktualisieren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Neu erstellen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Zusammenfassung – Cura-Projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Druckereinstellungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Wie soll der Konflikt im Gerät gelöst werden?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Typ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Druckergruppe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Profileinstellungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Wie soll der Konflikt im Profil gelöst werden?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Name" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Nicht im Profil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 überschreiben" msgstr[1] "%1 überschreibt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Ableitung von" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 überschreiben" msgstr[1] "%1, %2 überschreibt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Materialeinstellungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Wie soll der Konflikt im Material gelöst werden?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Sichtbarkeit einstellen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Sichtbare Einstellungen:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 von %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Das Laden eines Projekts entfernt alle Modelle von der Druckplatte." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Öffnen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Möchten Sie mehr?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Jetzt Backup durchführen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatisches Backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "An jedem Tag, an dem Cura gestartet wird, ein automatisches Backup erstellen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Wiederherstellen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Backup löschen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Soll dieses Backup wirklich gelöscht werden? Der Vorgang kann nicht rückgängig gemacht werden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Backup wiederherstellen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Cura muss neu gestartet werden, um Ihre Datensicherung wiederherzustellen. Möchten Sie Cura jetzt schließen?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura-Version" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Maschinen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materialien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plugins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura-Backups" +msgid "Post Processing Plugin" +msgstr "Plugin Nachbearbeitung" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Meine Backups" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Sie verfügen derzeit über keine Backups. Verwenden Sie die Schaltfläche ‚Jetzt Backup erstellen‘, um ein Backup zu erstellen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "In der Vorschau-Phase sind Sie auf 5 sichtbare Backups beschränkt. Ein Backup entfernen, um ältere anzusehen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Ihre Cura-Einstellungen sichern und synchronisieren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Anmelden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Firmware aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Die Firmware ist der Teil der Software, der direkt auf Ihrem 3D-Drucker läuft. Diese Firmware kontrolliert die Schrittmotoren, reguliert die Temperatur und sorgt letztlich dafür, dass Ihr Drucker funktioniert." +msgid "Post Processing Scripts" +msgstr "Skripts Nachbearbeitung" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Ein Skript hinzufügen" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Die mit neuen Druckern gelieferte Firmware funktioniert, allerdings enthalten neue Versionen üblicherweise mehr Funktionen und Verbesserungen." +msgid "Settings" +msgstr "Einstellungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Firmware automatisch aktualisieren" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Aktive Nachbearbeitungsskripts ändern." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Benutzerdefinierte Firmware hochladen" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "Die folgenden Skript ist aktiv:" +msgstr[1] "Die folgenden Skripte sind aktiv:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Firmware kann nicht aktualisiert werden, da keine Verbindung zum Drucker besteht." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Firmware kann nicht aktualisiert werden, da die Verbindung zum Drucker die Firmware-Aktualisierung nicht unterstützt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Benutzerdefinierte Firmware wählen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Firmware-Aktualisierung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Die Firmware wird aktualisiert." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Firmware-Aktualisierung abgeschlossen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Die Firmware-Aktualisierung ist aufgrund eines unbekannten Fehlers fehlgeschlagen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Die Firmware-Aktualisierung ist aufgrund eines Kommunikationsfehlers fehlgeschlagen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Die Firmware-Aktualisierung ist aufgrund eines Eingabe-/Ausgabefehlers fehlgeschlagen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Die Firmware-Aktualisierung ist aufgrund von fehlender Firmware fehlgeschlagen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Bild konvertieren..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Der Maximalabstand von jedem Pixel von der „Basis“." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Höhe (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Die Basishöhe von der Druckplatte in Millimetern." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Basis (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "Die Breite der Druckplatte in Millimetern." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Breite (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "Die Tiefe der Druckplatte in Millimetern" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Tiefe (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Für Lithophanien sollten dunkle Pixel dickeren Positionen entsprechen, um mehr einfallendes Licht zu blockieren. Für Höhenkarten stellen hellere Pixel höheres Terrain dar, sodass hellere Pixel dickeren Positionen im generierten 3D-Modell entsprechen sollten." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Dunkler ist höher" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Heller ist höher" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Für Lithophanien ist ein einfaches logarithmisches Modell für Transparenz verfügbar. Bei Höhenprofilen entsprechen die Pixelwerte den Höhen linear." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Linear" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Transparenz" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "Der Prozentsatz an Licht, der einen Druck von einer Dicke mit 1 Millimeter durchdringt. Senkt man diesen Wert, steigt der Kontrast in den dunkleren Bereichen, während der Kontrast in den helleren Bereichen des Bilds sinkt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1 mm Durchlässigkeit (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "Die Stärke der Glättung, die für das Bild angewendet wird." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Glättung" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Wählen Sie bitte alle Upgrades für dieses Ultimaker-Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Beheizte Druckplatte (offizielles Kit oder Eigenbau)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Nivellierung der Druckplatte" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Um sicherzustellen, dass Ihre Drucke hervorragend werden, können Sie nun Ihre Druckplatte justieren. Wenn Sie auf „Gehe zur nächsten Position“ klicken, bewegt sich die Düse zu den verschiedenen Positionen, die justiert werden können." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Legen Sie für jede Position ein Blatt Papier unter die Düse und stellen Sie die Höhe der Druckplatte ein. Die Höhe der Druckplatte ist korrekt, wenn das Papier von der Spitze der Düse leicht berührt wird." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Nivellierung der Druckplatte starten" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Gehe zur nächsten Position" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Weitere Informationen zur anonymen Datenerfassung" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Nachfolgend ist ein Beispiel aller Daten, die geteilt werden:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Ich möchte keine anonymen Daten senden" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Senden von anonymen Daten erlauben" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Marktplatz" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Cura muss neu gestartet werden, um die Änderungen der Pakete zu übernehmen." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "%1 beenden" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Installieren" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Installiert" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Zum Web Marketplace gehen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Materialien suchen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Kompatibilität" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Gerät" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Druckbett" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Support" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Qualität" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Technisches Datenblatt" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Sicherheitsdatenblatt" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Druckrichtlinien" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Website" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Anmeldung für Installation oder Update erforderlich" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Materialspulen kaufen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Aktualisierung" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Aktualisierung wird durchgeführt" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Aktualisiert" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Zurück" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Drucker" +msgid "Plugins" +msgstr "Plugins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Düseneinstellungen" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materialien" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Installiert" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Düsengröße" +msgid "Will install upon restarting" +msgstr "Installiert nach Neustart" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Anmeldung für Update erforderlich" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Downgraden" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Deinstallieren" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Community-Beiträge" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Kompatibler Materialdurchmesser" +msgid "Community Plugins" +msgstr "Community-Plugins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "X-Versatz Düse" +msgid "Generic Materials" +msgstr "Generische Materialien" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Pakete werden abgeholt..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Y-Versatz Düse" +msgid "Website" +msgstr "Website" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Kühllüfter-Nr" +msgid "Email" +msgstr "E-Mail" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "G-Code Extruder-Start" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Bitte melden Sie sich an, um verifizierte Plugins und Materialien für Ultimaker Cura Enterprise zu erhalten" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "G-Code Extruder-Ende" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Druckereinstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Breite)" +msgid "Version" +msgstr "Version" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Tiefe)" +msgid "Last updated" +msgstr "Zuletzt aktualisiert" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Höhe)" +msgid "Brand" +msgstr "Marke" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Druckbettform" +msgid "Downloads" +msgstr "Downloads" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Installierte Plugins" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Es wurde kein Plugin installiert." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Installierte Materialien" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Es wurde kein Material installiert." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Gebündelte Plugins" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Gebündelte Materialien" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Verbindung zur Cura Paket-Datenbank konnte nicht hergestellt werden. Bitte überprüfen Sie Ihre Verbindung." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Ausgang in Mitte" +msgid "You need to accept the license to install the package" +msgstr "Sie müssen die Lizenz akzeptieren, um das Paket zu installieren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Änderungen in deinem Konto" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Verwerfen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Weiter" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Heizbares Bett" +msgid "The following packages will be added:" +msgstr "Die folgenden Pakete werden hinzugefügt:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Druckraum aufgeheizt" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Die folgenden Pakete können nicht hinzugefügt werden, weil die Cura-Version nicht kompatibel ist:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Deinstallieren bestätigen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Sie sind dabei, Materialien und/oder Profile zu deinstallieren, die noch verwendet werden. Durch Bestätigen werden die folgenden Materialien/Profile auf ihre Standardeinstellungen zurückgesetzt." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materialien" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profile" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Bestätigen" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "G-Code-Variante" +msgid "Color scheme" +msgstr "Farbschema" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Druckkopfeinstellungen" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Materialfarbe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Linientyp" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Geschwindigkeit" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Schichtdicke" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Linienbreite" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Fluss" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X min" +msgid "Compatibility Mode" +msgstr "Kompatibilitätsmodus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y min" +msgid "Travels" +msgstr "Bewegungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X max" +msgid "Helpers" +msgstr "Helfer" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y max" +msgid "Shell" +msgstr "Gehäuse" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Brückenhöhe" +msgid "Infill" +msgstr "Füllung" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Anzahl Extruder" +msgid "Starts" +msgstr "Startet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Extruder-Versatzwerte auf GCode anwenden" +msgid "Only Show Top Layers" +msgstr "Nur obere Schichten anzeigen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Start G-Code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "5 detaillierte Schichten oben anzeigen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Ende G-Code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Oben/Unten" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Innenwand" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Drucker verwalten" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Glas" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Damit Sie die Warteschlange aus der Ferne verwalten können, müssen Sie die Druckfirmware aktualisieren." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Webcam-Feeds für Cloud-Drucker können nicht in Ultimaker Cura angezeigt werden. Klicken Sie auf „Drucker verwalten“, um die Ultimaker Digital Factory zu besuchen und diese Webcam zu sehen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Lädt..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Nicht verfügbar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Nicht erreichbar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Leerlauf" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Vorbereitung..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Drucken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Unbenannt" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anonym" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Erfordert Konfigurationsänderungen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Details" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Drucker nicht verfügbar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Zuerst verfügbar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "In Warteschlange" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Im Browser verwalten" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Die Warteschlange enthält keine Druckaufträge. Slicen Sie einen Auftrag und schicken Sie ihn ab, um ihn zur Warteschlange hinzuzufügen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Druckaufträge" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Druckdauer insgesamt" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Warten auf" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Drucken über Netzwerk" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Drucken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Druckerauswahl" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Konfigurationsänderungen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Überschreiben" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Der zugewiesene Drucker %1 erfordert die folgende Konfigurationsänderung:" +msgstr[1] "Der zugewiesene Drucker %1 erfordert die folgenden Konfigurationsänderungen:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Der Drucker %1 wurde zugewiesen, allerdings enthält der Auftrag eine unbekannte Materialkonfiguration." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Material %1 von %2 auf %3 wechseln." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3 als Material %1 laden (Dies kann nicht übergangen werden)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Print Core %1 von %2 auf %3 wechseln." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Druckplatte auf %1 wechseln (Dies kann nicht übergangen werden)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Überschreiben verwendet die definierten Einstellungen mit der vorhandenen Druckerkonfiguration. Dies kann zu einem fehlgeschlagenen Druck führen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Aluminium" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Beendet" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Wird abgebrochen..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Abgebrochen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Wird pausiert..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Pausiert" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Wird fortgesetzt..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Handlung erforderlich" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Fertigstellung %1 um %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Anschluss an vernetzten Drucker" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Um direkt auf Ihrem Drucker über das Netzwerk zu drucken, muss der Drucker über ein Netzwerkkabel oder per WLAN mit dem Netzwerk verbunden sein. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie G-Code-Dateien auf einen USB-Stick kopieren und diesen am Drucker anschließen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Wählen Sie Ihren Drucker aus der folgenden Liste aus:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Bearbeiten" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Entfernen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Aktualisieren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Wenn Ihr Drucker nicht aufgeführt ist, lesen Sie die Anleitung für Fehlerbehebung für Netzwerkdruck" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Typ" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Firmware-Version" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Adresse" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Dieser Drucker ist nicht eingerichtet um eine Gruppe von Druckern anzusteuern." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Dieser Drucker steuert eine Gruppe von %1 Druckern an." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "Der Drucker unter dieser Adresse hat nicht reagiert." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Verbinden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Ungültige IP-Adresse" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Bitte eine gültige IP-Adresse eingeben." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Druckeradresse" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Geben Sie die IP-Adresse Ihres Druckers in das Netzwerk ein." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Vorziehen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Löschen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Zurückkehren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Wird pausiert..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Wird fortgesetzt..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pausieren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Wird abgebrochen..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Abbrechen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Soll dieser %1 wirklich an den Anfang der Warteschlange vorgezogen werden?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Druckauftrag vorziehen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Soll %1 wirklich gelöscht werden?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Druckauftrag löschen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Möchten Sie %1 wirklich abbrechen?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Drucken abbrechen" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2222,1451 +3324,435 @@ msgstr "" "– Prüfen Sie, ob der Drucker eingeschaltet ist.– Prüfen Sie, ob der Drucker mit dem Netzwerk verbunden ist.\n" "– Prüfen Sie, ob Sie angemeldet sind, falls Sie über die Cloud verbundene Drucker suchen möchten." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Verbinden Sie Ihren Drucker bitte mit dem Netzwerk." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Benutzerhandbücher online anzeigen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Um Ihren Druck von Cura aus zu überwachen, schließen Sie bitte den Drucker an." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Mesh-Typ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normales Modell" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Als Stützstruktur drucken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Einstellungen für Überlappungen ändern" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Überlappungen nicht unterstützen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Nur Mesh-Füllung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Mesh beschneiden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Einstellungen wählen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Einstellungen für die benutzerdefinierte Anpassung dieses Modells wählen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtern..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Alle anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plugin Nachbearbeitung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Skripts Nachbearbeitung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Ein Skript hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Einstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Aktive Nachbearbeitungsskripts ändern." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Einige Punkte bei diesem Druck könnten problematisch sein. Klicken Sie, um Tipps für die Anpassung zu erhalten." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Die folgenden Skript ist aktiv:" -msgstr[1] "Die folgenden Skripte sind aktiv:" +msgid "3D View" +msgstr "3D-Ansicht" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Farbschema" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Materialfarbe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Linientyp" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Geschwindigkeit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Schichtdicke" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Linienbreite" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Fluss" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Kompatibilitätsmodus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Bewegungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Helfer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Gehäuse" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Füllung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Startet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Nur obere Schichten anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "5 detaillierte Schichten oben anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Oben/Unten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Innenwand" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Weitere Informationen zur anonymen Datenerfassung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Nachfolgend ist ein Beispiel aller Daten, die geteilt werden:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Ich möchte keine anonymen Daten senden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Senden von anonymen Daten erlauben" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Zurück" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Kompatibilität" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Gerät" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Druckbett" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Support" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualität" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technisches Datenblatt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Sicherheitsdatenblatt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Druckrichtlinien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Website" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Installiert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Anmeldung für Installation oder Update erforderlich" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Materialspulen kaufen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Aktualisierung" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aktualisierung wird durchgeführt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Aktualisiert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Zum Web Marketplace gehen" +msgid "Front View" +msgstr "Vorderansicht" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Draufsicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Ansicht von links" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Ansicht von rechts" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Materialien suchen" +msgid "Object list" +msgstr "Objektliste" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Cura muss neu gestartet werden, um die Änderungen der Pakete zu übernehmen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1 beenden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plugins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materialien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Installiert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Installiert nach Neustart" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Anmeldung für Update erforderlich" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgraden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Deinstallieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Änderungen in deinem Konto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Verwerfen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Weiter" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Die folgenden Pakete werden hinzugefügt:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Die folgenden Pakete können nicht hinzugefügt werden, weil die Cura-Version nicht kompatibel ist:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Deinstallieren bestätigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Sie sind dabei, Materialien und/oder Profile zu deinstallieren, die noch verwendet werden. Durch Bestätigen werden die folgenden Materialien/Profile auf ihre Standardeinstellungen zurückgesetzt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materialien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Bestätigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Sie müssen die Lizenz akzeptieren, um das Paket zu installieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Website" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-Mail" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Version" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Zuletzt aktualisiert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marke" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Downloads" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Community-Beiträge" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Community-Plugins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Generische Materialien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Verbindung zur Cura Paket-Datenbank konnte nicht hergestellt werden. Bitte überprüfen Sie Ihre Verbindung." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Installierte Plugins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Es wurde kein Plugin installiert." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Installierte Materialien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Es wurde kein Material installiert." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Gebündelte Plugins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Gebündelte Materialien" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Pakete werden abgeholt..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Bitte melden Sie sich an, um verifizierte Plugins und Materialien für Ultimaker Cura Enterprise zu erhalten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Marktplatz" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivellierung der Druckplatte" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Datei" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Um sicherzustellen, dass Ihre Drucke hervorragend werden, können Sie nun Ihre Druckplatte justieren. Wenn Sie auf „Gehe zur nächsten Position“ klicken, bewegt sich die Düse zu den verschiedenen Positionen, die justiert werden können." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Bearbeiten" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Legen Sie für jede Position ein Blatt Papier unter die Düse und stellen Sie die Höhe der Druckplatte ein. Die Höhe der Druckplatte ist korrekt, wenn das Papier von der Spitze der Düse leicht berührt wird." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Ansicht" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Nivellierung der Druckplatte starten" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Einstellungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Gehe zur nächsten Position" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Er&weiterungen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Wählen Sie bitte alle Upgrades für dieses Ultimaker-Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "&Konfiguration" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Beheizte Druckplatte (offizielles Kit oder Eigenbau)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Hilfe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Anschluss an vernetzten Drucker" +msgid "New project" +msgstr "Neues Projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Um direkt auf Ihrem Drucker über das Netzwerk zu drucken, muss der Drucker über ein Netzwerkkabel oder per WLAN mit dem Netzwerk verbunden sein. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie G-Code-Dateien auf einen USB-Stick kopieren und diesen am Drucker anschließen." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Möchten Sie wirklich ein neues Projekt beginnen? Damit werden das Druckbett und alle nicht gespeicherten Einstellungen gelöscht." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Wählen Sie Ihren Drucker aus der folgenden Liste aus:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Bearbeiten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Entfernen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Wenn Ihr Drucker nicht aufgeführt ist, lesen Sie die Anleitung für Fehlerbehebung für Netzwerkdruck" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Typ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Firmware-Version" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adresse" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Dieser Drucker ist nicht eingerichtet um eine Gruppe von Druckern anzusteuern." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Dieser Drucker steuert eine Gruppe von %1 Druckern an." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Der Drucker unter dieser Adresse hat nicht reagiert." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Verbinden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Ungültige IP-Adresse" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Bitte eine gültige IP-Adresse eingeben." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Druckeradresse" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Geben Sie die IP-Adresse Ihres Druckers in das Netzwerk ein." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Konfigurationsänderungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Überschreiben" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Der zugewiesene Drucker %1 erfordert die folgende Konfigurationsänderung:" -msgstr[1] "Der zugewiesene Drucker %1 erfordert die folgenden Konfigurationsänderungen:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "Der Drucker %1 wurde zugewiesen, allerdings enthält der Auftrag eine unbekannte Materialkonfiguration." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Material %1 von %2 auf %3 wechseln." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "%3 als Material %1 laden (Dies kann nicht übergangen werden)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Print Core %1 von %2 auf %3 wechseln." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Druckplatte auf %1 wechseln (Dies kann nicht übergangen werden)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Überschreiben verwendet die definierten Einstellungen mit der vorhandenen Druckerkonfiguration. Dies kann zu einem fehlgeschlagenen Druck führen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Glas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Vorziehen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Löschen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Zurückkehren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Wird pausiert..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Wird fortgesetzt..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausieren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Wird abgebrochen..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Abbrechen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Soll dieser %1 wirklich an den Anfang der Warteschlange vorgezogen werden?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Druckauftrag vorziehen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Soll %1 wirklich gelöscht werden?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Druckauftrag löschen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Möchten Sie %1 wirklich abbrechen?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Drucken abbrechen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Drucker verwalten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Damit Sie die Warteschlange aus der Ferne verwalten können, müssen Sie die Druckfirmware aktualisieren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Webcam-Feeds für Cloud-Drucker können nicht in Ultimaker Cura angezeigt werden. Klicken Sie auf „Drucker verwalten“, um die Ultimaker Digital Factory zu besuchen und diese Webcam zu sehen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Lädt..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Nicht verfügbar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Nicht erreichbar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Leerlauf" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Vorbereitung..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Drucken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Unbenannt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonym" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Erfordert Konfigurationsänderungen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Details" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Drucker nicht verfügbar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Zuerst verfügbar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Abgebrochen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Beendet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Wird abgebrochen..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Wird pausiert..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Pausiert" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Wird fortgesetzt..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Handlung erforderlich" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Fertigstellung %1 auf %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "In Warteschlange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Im Browser verwalten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Die Warteschlange enthält keine Druckaufträge. Slicen Sie einen Auftrag und schicken Sie ihn ab, um ihn zur Warteschlange hinzuzufügen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Druckaufträge" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Druckdauer insgesamt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Warten auf" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Drucken über Netzwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Drucken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Druckerauswahl" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Anmelden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Bei der Ultimaker-Plattform anmelden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Materialprofile und Plug-ins aus dem Marketplace hinzufügen\n" -"- Materialprofile und Plug-ins sichern und synchronisieren\n" -"- Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Kostenloses Ultimaker-Konto erstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Überprüfung läuft ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Konto wurde synchronisiert" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Irgendetwas ist schief gelaufen ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Ausstehende Updates installieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Nach Updates für das Konto suchen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Letztes Update: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker‑Konto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Abmelden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Keine Zeitschätzung verfügbar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Keine Kostenschätzung verfügbar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Vorschau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Zeitschätzung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Materialschätzung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Das Slicing läuft..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Slicing nicht möglich" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Verarbeitung läuft" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Slice" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Slicing-Vorgang starten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Abbrechen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Online-Fehlerbehebung anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Umschalten auf Vollbild-Modus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Vollbildmodus beenden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Rückgängig machen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Wiederholen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Beenden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D-Ansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Vorderansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Draufsicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Ansicht von unten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Ansicht von links" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Ansicht von rechts" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Cura konfigurieren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Drucker hinzufügen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Dr&ucker verwalten..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Materialien werden verwaltet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Weiteres Material aus Marketplace hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Aktuelle Änderungen verwerfen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "P&rofil von aktuellen Einstellungen/Überschreibungen erstellen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profile verwalten..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Online-&Dokumentation anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "&Fehler melden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Neuheiten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Über..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Ausgewählte löschen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Ausgewählte zentrieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Ausgewählte vervielfachen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Modell löschen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Modell auf Druckplatte ze&ntrieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "Modelle &gruppieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Gruppierung für Modelle aufheben" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Modelle &zusammenführen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "Modell &multiplizieren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Alle Modelle wählen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Druckplatte reinigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Alle Modelle neu laden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Alle Modelle an allen Druckplatten anordnen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Alle Modelle anordnen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Anordnung auswählen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Alle Modellpositionen zurücksetzen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Alle Modelltransformationen zurücksetzen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Datei(en) öffnen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Neues Projekt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Konfigurationsordner anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Sichtbarkeit einstellen wird konfiguriert..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marktplatz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Meine Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Überwachen Sie Drucker in der Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Erstellen Sie Druckprojekte in der digitalen Bibliothek." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Druckaufträge" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Überwachen Sie Druckaufträge und drucken Sie sie aus Ihrem Druckprotokoll nach." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Erweitern Sie Ultimaker Cura durch Plugins und Materialprofile." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Werden Sie ein 3D-Druck-Experte mittels des E-Learning von Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ultimaker Kundendienst" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Erfahren Sie, wie Sie mit Ultimaker Cura Ihre Arbeit beginnen können." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Eine Frage stellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Wenden Sie sich an die Ultimaker Community." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Einen Fehler melden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Lassen Sie es die Entwickler wissen, falls etwas schief läuft." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Besuchen Sie die Ultimaker-Website." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Dieses Paket wird nach einem Neustart installiert." +msgid "Time estimation" +msgstr "Zeitschätzung" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Allgemein" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Materialschätzung" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Einstellungen" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1 m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Drucker" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1 g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profile" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Keine Zeitschätzung verfügbar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 wird geschlossen" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Keine Kostenschätzung verfügbar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Möchten Sie %1 wirklich beenden?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Vorschau" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Datei(en) öffnen" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Einen Drucker hinzufügen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Paket installieren" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Einen vernetzten Drucker hinzufügen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Datei(en) öffnen" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Einen unvernetzten Drucker hinzufügen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Es wurden eine oder mehrere G-Code-Datei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine G-Code-Datei auf einmal öffnen. Wenn Sie eine G-Code-Datei öffnen möchten wählen Sie bitte nur eine Datei." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Einen Cloud-Drucker hinzufügen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Drucker hinzufügen" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Auf eine Antwort von der Cloud warten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Keine Drucker in Ihrem Konto gefunden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Folgende Drucker in Ihrem Konto wurden zu Cura hinzugefügt:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Drucker manuell hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Drucker nach IP-Adresse hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Geben Sie die IP-Adresse Ihres Druckers ein." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Verbindung mit Drucker nicht möglich." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Sie können keine Verbindung zu Ihrem Ultimaker-Drucker herstellen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "Der Drucker unter dieser Adresse hat noch nicht reagiert." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Dieser Drucker kann nicht hinzugefügt werden, weil es sich um einen unbekannten Drucker handelt oder er nicht im Host einer Gruppe enthalten ist." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Zurück" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Verbinden" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Benutzervereinbarung" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Ablehnen und schließen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Willkommen bei Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Befolgen Sie bitte diese Schritte für das Einrichten von\n" +"Ultimaker Cura. Dies dauert nur wenige Sekunden." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Erste Schritte" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Bei der Ultimaker-Plattform anmelden" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Materialeinstellungen und Plug-ins aus dem Marketplace hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Materialeinstellungen und Plug-ins sichern und synchronisieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Überspringen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Kostenloses Ultimaker-Konto erstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Hersteller" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Autor des Profils" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Druckername" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Bitte weisen Sie Ihrem Drucker einen Namen zu" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Kein Drucker in Ihrem Netzwerk gefunden." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Aktualisieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Drucker nach IP hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Ein Cloud-Drucker hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Störungen beheben" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Helfen Sie uns, Ultimaker Cura zu verbessern" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Dazu gehören:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Gerätetypen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Materialverbrauch" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Anzahl der Slices" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Druckeinstellungen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Die von Ultimaker Cura erfassten Daten enthalten keine personenbezogenen Daten." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Mehr Informationen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Neuheiten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Leer" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Versionshinweise" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "Über %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "Version: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Komplettlösung für den 3D-Druck mit geschmolzenem Filament." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3675,182 +3761,204 @@ msgstr "" "Cura wurde von Ultimaker B.V. in Zusammenarbeit mit der Community entwickelt.\n" "Cura verwendet mit Stolz die folgenden Open Source-Projekte:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Grafische Benutzerschnittstelle" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Anwendungsrahmenwerk" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-Code-Generator" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Bibliothek Interprozess-Kommunikation" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Programmiersprache" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI-Rahmenwerk" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI-Rahmenwerk Einbindungen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C++ Einbindungsbibliothek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Format Datenaustausch" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Support-Bibliothek für wissenschaftliche Berechnung" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Support-Bibliothek für schnelleres Rechnen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Support-Bibliothek für die Handhabung von STL-Dateien" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Support-Bibliothek für die Handhabung von ebenen Objekten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Support-Bibliothek für die Handhabung von dreieckigen Netzen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Support-Bibliothek für die Handhabung von 3MF-Dateien" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Support-Bibliothek für Datei-Metadaten und Streaming" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Bibliothek für serielle Kommunikation" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Bibliothek für ZeroConf-Erkennung" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Bibliothek für Polygon-Beschneidung" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Statischer Prüfer für Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Root-Zertifikate zur Validierung der SSL-Vertrauenswürdigkeit" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Python-Fehlerverfolgungs-Bibliothek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Polygon-Packaging-Bibliothek, entwickelt von Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Python-Bindungen für libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Unterstützungsbibliothek für den Zugriff auf den Systemschlüsselbund" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Python-Erweiterungen für Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Schriftart" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG-Symbole" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Distributionsunabhängiges Format für Linux-Anwendungen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Projektdatei öffnen" +msgid "Open file(s)" +msgstr "Datei(en) öffnen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Dies ist eine Cura-Projektdatei. Möchten Sie diese als Projekt öffnen oder die Modelle hieraus importieren?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Es wurden eine oder mehrere Projektdatei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine Projektdatei auf einmal öffnen. Es wird empfohlen, nur Modelle aus diesen Dateien zu importieren. Möchten Sie fortfahren?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Meine Auswahl merken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Als Projekt öffnen" +msgid "Import all as models" +msgstr "Alle als Modelle importieren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Projekt speichern" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Projektzusammenfassung beim Speichern nicht erneut anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Modelle importieren" +msgid "Save" +msgstr "Speichern" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Änderungen verwerfen oder übernehmen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3861,1233 +3969,144 @@ msgstr "" "Möchten Sie diese geänderten Einstellungen nach einem Profilwechsel beibehalten?\n" "Sie können die Änderungen auch verwerfen, um die Standardeinstellungen von '%1' zu laden." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Profileinstellungen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Aktuelle Änderungen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Stets nachfragen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Verwerfen und zukünftig nicht mehr nachfragen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Übernehmen und zukünftig nicht mehr nachfragen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Änderungen verwerfen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Änderungen speichern" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Projektdatei öffnen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Es wurden eine oder mehrere Projektdatei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine Projektdatei auf einmal öffnen. Es wird empfohlen, nur Modelle aus diesen Dateien zu importieren. Möchten Sie fortfahren?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Dies ist eine Cura-Projektdatei. Möchten Sie diese als Projekt öffnen oder die Modelle hieraus importieren?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Meine Auswahl merken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Alle als Modelle importieren" +msgid "Open as project" +msgstr "Als Projekt öffnen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Projekt speichern" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Projektzusammenfassung beim Speichern nicht erneut anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Speichern" +msgid "Import models" +msgstr "Modelle importieren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Ausgewähltes Modell drucken mit %1" -msgstr[1] "Ausgewählte Modelle drucken mit %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Unbenannt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Datei" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Bearbeiten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Ansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Einstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Er&weiterungen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "&Konfiguration" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Hilfe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Neues Projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Möchten Sie wirklich ein neues Projekt beginnen? Damit werden das Druckbett und alle nicht gespeicherten Einstellungen gelöscht." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marktplatz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfigurationen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Diese Konfigurationen sind nicht verfügbar, weil %1 nicht erkannt wird. Besuchen Sie bitte %2 für das Herunterladen des korrekten Materialprofils." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marktplatz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Verfügbare Konfigurationen werden von diesem Drucker geladen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Die Konfigurationen sind nicht verfügbar, da der Drucker getrennt ist." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Konfiguration wählen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfigurationen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Aktiviert" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Für diese Materialkombination Kleber für eine bessere Haftung verwenden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Ausgewähltes Modell drucken mit:" -msgstr[1] "Ausgewählte Modelle drucken mit:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Ausgewähltes Modell multiplizieren" -msgstr[1] "Ausgewählte Modelle multiplizieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Anzahl Kopien" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Projekt speichern ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportieren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Auswahl exportieren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoriten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Generisch" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Datei(en) öffnen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Netzwerkfähige Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Lokale Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "&Zuletzt geöffnet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Projekt speichern..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Dr&ucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Als aktiven Extruder festlegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Extruder aktivieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Extruder deaktivieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Sichtbare Einstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Alle Kategorien schließen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Sichtbarkeit einstellen verwalten..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Kameraposition" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Kameraansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Ansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Orthogonal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Druckplatte" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Nicht mit einem Drucker verbunden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Drucker nimmt keine Befehle an" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "In Wartung. Den Drucker überprüfen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Verbindung zum Drucker wurde unterbrochen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Es wird gedruckt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Pausiert" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Vorbereitung läuft..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Bitte den Ausdruck entfernen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Drucken abbrechen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Soll das Drucken wirklich abgebrochen werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Wird als Stückstruktur gedruckt." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Andere Modelle, die sich mit diesem Modell überschneiden, werden angepasst." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Überlappende Füllung wird bei diesem Modell angepasst." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Überlappungen mit diesem Modell werden nicht unterstützt." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Überschreibt %1-Einstellung." -msgstr[1] "Überschreibt %1-Einstellungen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Objektliste" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Schnittstelle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Währung:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Thema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Die Anwendung muss neu gestartet werden, um die Änderungen zu übernehmen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Bei Änderung der Einstellungen automatisch schneiden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatisch schneiden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Viewport-Verhalten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Nicht gestützte Bereiche des Modells in rot hervorheben. Ohne Support werden diese Bereiche nicht korrekt gedruckt." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Überhang anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Heben Sie fehlende oder fehlerhafte Flächen des Modells mithilfe von Warnhinweisen hervor. In den Werkzeugpfaden fehlen oft Teile der beabsichtigten Geometrie." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Modellfehler anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Bewegt die Kamera, bis sich das Modell im Mittelpunkt der Ansicht befindet, wenn ein Modell ausgewählt wurde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Zentrieren Sie die Kamera, wenn das Element ausgewählt wurde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Soll das standardmäßige Zoom-Verhalten von Cura umgekehrt werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Kehren Sie die Richtung des Kamera-Zooms um." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Soll das Zoomen in Richtung der Maus erfolgen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Das Zoomen in Richtung der Maus wird in der orthografischen Perspektive nicht unterstützt." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "In Mausrichtung zoomen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Sollen Modelle auf der Plattform so verschoben werden, dass sie sich nicht länger überschneiden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Stellen Sie sicher, dass die Modelle getrennt gehalten werden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Sollen Modelle auf der Plattform so nach unten verschoben werden, dass sie die Druckplatte berühren?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Setzt Modelle automatisch auf der Druckplatte ab" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Warnmeldung im G-Code-Reader anzeigen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Warnmeldung in G-Code-Reader" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Soll die Schicht in den Kompatibilitätsmodus gezwungen werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Schichtenansicht Kompatibilitätsmodus erzwingen (Neustart erforderlich)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Sollte Cura sich an der Stelle öffnen, an der das Programm geschlossen wurde?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Fensterposition beim Start wiederherstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Welches Kamera-Rendering sollte verwendet werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Kamera-Rendering:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Ansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Orthogonal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Dateien öffnen und speichern" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Sollten Dateien vom Desktop oder von externen Anwendungen in derselben Instanz von Cura geöffnet werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Eine einzelne Instanz von Cura verwenden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Soll das Druckbett jeweils vor dem Laden eines neuen Modells in einer einzelnen Instanz von Cura gelöscht werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Druckbett vor dem Laden des Modells in die Einzelinstanz löschen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Sollen Modelle an das Erstellungsvolumen angepasst werden, wenn sie zu groß sind?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Große Modelle anpassen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Ein Modell kann extrem klein erscheinen, wenn seine Maßeinheit z. B. in Metern anstelle von Millimetern angegeben ist. Sollen diese Modelle hoch skaliert werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Extrem kleine Modelle skalieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Sollten Modelle gewählt werden, nachdem sie geladen wurden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Modelle wählen, nachdem sie geladen wurden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Soll ein Präfix anhand des Druckernamens automatisch zum Namen des Druckauftrags hinzugefügt werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Geräte-Präfix zu Auftragsnamen hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Soll beim Speichern einer Projektdatei eine Zusammenfassung angezeigt werden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Dialog Zusammenfassung beim Speichern eines Projekts anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Standardverhalten beim Öffnen einer Projektdatei" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Standardverhalten beim Öffnen einer Projektdatei: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Stets nachfragen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Immer als Projekt öffnen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Modelle immer importieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Wenn Sie Änderungen für ein Profil vorgenommen haben und zu einem anderen Profil gewechselt sind, wird ein Dialog angezeigt, der hinterfragt, ob Sie Ihre Änderungen beibehalten möchten oder nicht; optional können Sie ein Standardverhalten wählen, sodass dieser Dialog nicht erneut angezeigt wird." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profile" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Standardverhalten für geänderte Einstellungswerte beim Wechsel zu einem anderen Profil: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Geänderte Einstellungen immer verwerfen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Geänderte Einstellungen immer auf neues Profil übertragen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Privatsphäre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Sollen anonyme Daten über Ihren Druck an Ultimaker gesendet werden? Beachten Sie, dass keine Modelle, IP-Adressen oder andere personenbezogene Daten gesendet oder gespeichert werden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(Anonyme) Druckinformationen senden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Mehr Informationen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Updates" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Soll Cura bei Programmstart nach Updates suchen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Bei Start nach Updates suchen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Wählen Sie bei der Suche nach Updates nur stabile Versionen aus." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Nur stabile Versionen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Wählen Sie bei der Suche nach Updates sowohl stabile als auch Beta-Versionen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Stabile und Beta-Versionen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Sollte jedes Mal, wenn Cura gestartet wird, eine automatische Überprüfung auf neue Plug-ins durchgeführt werden? Es wird dringend empfohlen, diese Funktion nicht zu deaktivieren!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Benachrichtigungen über Plug-in-Updates erhalten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Umbenennen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Erstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplizieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Import" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Export" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Mit Druckern synchronisieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Entfernen bestätigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Möchten Sie %1 wirklich entfernen? Dies kann nicht rückgängig gemacht werden!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Material importieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Material konnte nicht importiert werden %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Material wurde erfolgreich importiert %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Material exportieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Exportieren des Materials nach %1: %2 schlug fehl" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Material erfolgreich nach %1 exportiert" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Alle Materialien exportieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informationen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Änderung Durchmesser bestätigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Der neue Filament-Durchmesser wurde auf %1 mm eingestellt, was nicht kompatibel mit dem aktuellen Extruder ist. Möchten Sie fortfahren?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Namen anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Materialtyp" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Farbe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Eigenschaften" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Dichte" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Durchmesser" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Filamentkosten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Filamentgewicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Filamentlänge" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Kosten pro Meter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Dieses Material ist mit %1 verknüpft und teilt sich damit einige seiner Eigenschaften." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Material trennen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Beschreibung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Haftungsinformationen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Druckeinstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Erstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplizieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profil erstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Geben Sie bitte einen Namen für dieses Profil an." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profil duplizieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profil umbenennen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profil importieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profil exportieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Drucker: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Aktuelle Änderungen verwerfen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Dieses Profil verwendet die vom Drucker festgelegten Standardeinstellungen, deshalb sind in der folgenden Liste keine Einstellungen/Überschreibungen enthalten." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Ihre aktuellen Einstellungen stimmen mit dem gewählten Profil überein." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Globale Einstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Berechnet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Einstellung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Aktuell" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Einheit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Sichtbarkeit einstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Alle prüfen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Die Zieltemperatur des Hotend. Das Hotend wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Hotend-Heizung ausgeschaltet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Die aktuelle Temperatur dieses Hotends." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Die Temperatur, auf die das Hotend vorgeheizt wird." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Abbrechen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Vorheizen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Heizen Sie das Hotend vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Hotend aufgeheizt ist, wenn Sie druckbereit sind." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Die Farbe des Materials in diesem Extruder." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Das Material in diesem Extruder." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Die in diesem Extruder eingesetzte Düse." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Druckbett" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Die Zieltemperatur des heizbaren Betts. Das Bett wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Bettheizung ausgeschaltet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Die aktuelle Temperatur des beheizten Betts." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Die Temperatur, auf die das Bett vorgeheizt wird." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Heizen Sie das Bett vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Bett aufgeheizt ist, wenn Sie druckbereit sind." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Druckersteuerung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Tippposition" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Tippdistanz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "G-Code senden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Einen benutzerdefinierten G-Code-Befehl an den verbundenen Drucker senden. „Eingabe“ drücken, um den Befehl zu senden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Der Drucker ist nicht verbunden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "Der Cloud-Drucker ist offline. Bitte prüfen Sie, ob der Drucker eingeschaltet und mit dem Internet verbunden ist." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Der Drucker ist nicht mit Ihrem Konto verbunden. Bitte besuchen Sie die Ultimaker Digital Factory, um eine Verbindung herzustellen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte melden Sie sich an, um sich mit dem Cloud-Drucker zu verbinden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte überprüfen Sie ihre Internetverbindung." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Drucker hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Drucker verwalten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Verbundene Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Voreingestellte Drucker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Aktiver Druck" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Name des Auftrags" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Druckzeit" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Geschätzte verbleibende Zeit" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "Der Cloud-Drucker ist offline. Bitte prüfen Sie, ob der Drucker eingeschaltet und mit dem Internet verbunden ist." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Der Drucker ist nicht mit Ihrem Konto verbunden. Bitte besuchen Sie die Ultimaker Digital Factory, um eine Verbindung herzustellen." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte melden Sie sich an, um sich mit dem Cloud-Drucker zu verbinden." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte überprüfen Sie ihre Internetverbindung." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Drucker hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Drucker verwalten" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Verbundene Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Voreingestellte Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Druckeinstellungen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Druckeinrichtung ist deaktiviert. G-Code-Datei kann nicht geändert werden." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5098,120 +4117,1703 @@ msgstr "" "\n" "Klicken Sie, um den Profilmanager zu öffnen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Benutzerdefinierte Profile" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Aktuelle Änderungen verwerfen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Empfohlen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Benutzerdefiniert" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Ein" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Aus" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimentell" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Es gibt kein %1-Profil für die Konfiguration in der Extruder %2. Es wird stattdessen der Standard verwendet" msgstr[1] "Es gibt kein %1-Profil für die Konfigurationen in den Extrudern %2. Es wird stattdessen der Standard verwendet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Druckeinrichtung ist deaktiviert. G-Code-Datei kann nicht geändert werden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Empfohlen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Benutzerdefiniert" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Ein" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Aus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Experimentell" +msgid "Profiles" +msgstr "Profile" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Haftung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Drucken eines Brim- oder Raft-Elements aktivieren. Es wird ein flacher Bereich rund um oder unter Ihrem Objekt hinzugefügt, das im Anschluss leicht abgeschnitten werden kann." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Stufenweise Füllung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Die graduelle Füllung steigert die Menge der Füllung nach oben hin schrittweise." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Sie haben einige Profileinstellungen geändert. Wenn Sie diese ändern möchten, wechseln Sie in den Modus „Benutzerdefiniert“." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Stützstruktur" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Damit werden Strukturen zur Unterstützung von Modellteilen mit Überhängen generiert. Ohne diese Strukturen würden solche Teile während des Druckvorgangs zusammenfallen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Einige ausgeblendete Einstellungen verwenden Werte, die von ihren normalen, berechneten Werten abweichen.\n" -"\n" -"Klicken Sie, um diese Einstellungen sichtbar zu machen." +msgid "Gradual infill" +msgstr "Stufenweise Füllung" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Die graduelle Füllung steigert die Menge der Füllung nach oben hin schrittweise." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Haftung" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Drucken eines Brim- oder Raft-Elements aktivieren. Es wird ein flacher Bereich rund um oder unter Ihrem Objekt hinzugefügt, das im Anschluss leicht abgeschnitten werden kann." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Projekt speichern..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Netzwerkfähige Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Lokale Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoriten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Generisch" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Ausgewähltes Modell drucken mit:" +msgstr[1] "Ausgewählte Modelle drucken mit:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Ausgewähltes Modell multiplizieren" +msgstr[1] "Ausgewählte Modelle multiplizieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Anzahl Kopien" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Projekt speichern ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Exportieren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Auswahl exportieren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Konfigurationen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Benutzerdefiniert" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Aktiviert" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Für diese Materialkombination Kleber für eine bessere Haftung verwenden." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Konfiguration wählen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Konfigurationen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Verfügbare Konfigurationen werden von diesem Drucker geladen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Die Konfigurationen sind nicht verfügbar, da der Drucker getrennt ist." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Diese Konfigurationen sind nicht verfügbar, weil %1 nicht erkannt wird. Besuchen Sie bitte %2 für das Herunterladen des korrekten Materialprofils." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Marktplatz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Datei(en) öffnen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "Dr&ucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Als aktiven Extruder festlegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Extruder aktivieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Extruder deaktivieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "&Zuletzt geöffnet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Sichtbare Einstellungen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Alle Kategorien schließen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Sichtbarkeit einstellen verwalten..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Kameraposition" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Kameraansicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Ansicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Orthogonal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Druckplatte" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Typ anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Wird als Stückstruktur gedruckt." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Andere Modelle, die sich mit diesem Modell überschneiden, werden angepasst." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Überlappende Füllung wird bei diesem Modell angepasst." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Überlappungen mit diesem Modell werden nicht unterstützt." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Überschreibt %1-Einstellung." +msgstr[1] "Überschreibt %1-Einstellungen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profile" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Aktivieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Erstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplizieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Umbenennen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Import" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Export" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Profil erstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Geben Sie bitte einen Namen für dieses Profil an." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Profil duplizieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Entfernen bestätigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Möchten Sie %1 wirklich entfernen? Dies kann nicht rückgängig gemacht werden!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Profil umbenennen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Profil importieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Profil exportieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Drucker: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Dieses Profil verwendet die vom Drucker festgelegten Standardeinstellungen, deshalb sind in der folgenden Liste keine Einstellungen/Überschreibungen enthalten." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Ihre aktuellen Einstellungen stimmen mit dem gewählten Profil überein." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Globale Einstellungen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Allgemein" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Schnittstelle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Währung:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Thema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Die Anwendung muss neu gestartet werden, um die Änderungen zu übernehmen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Bei Änderung der Einstellungen automatisch schneiden." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatisch schneiden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Viewport-Verhalten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Nicht gestützte Bereiche des Modells in rot hervorheben. Ohne Support werden diese Bereiche nicht korrekt gedruckt." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Überhang anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Heben Sie fehlende oder fehlerhafte Flächen des Modells mithilfe von Warnhinweisen hervor. In den Werkzeugpfaden fehlen oft Teile der beabsichtigten Geometrie." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Modellfehler anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Bewegt die Kamera, bis sich das Modell im Mittelpunkt der Ansicht befindet, wenn ein Modell ausgewählt wurde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Zentrieren Sie die Kamera, wenn das Element ausgewählt wurde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Soll das standardmäßige Zoom-Verhalten von Cura umgekehrt werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Kehren Sie die Richtung des Kamera-Zooms um." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Soll das Zoomen in Richtung der Maus erfolgen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Das Zoomen in Richtung der Maus wird in der orthografischen Perspektive nicht unterstützt." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "In Mausrichtung zoomen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Sollen Modelle auf der Plattform so verschoben werden, dass sie sich nicht länger überschneiden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Stellen Sie sicher, dass die Modelle getrennt gehalten werden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Sollen Modelle auf der Plattform so nach unten verschoben werden, dass sie die Druckplatte berühren?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Setzt Modelle automatisch auf der Druckplatte ab" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Warnmeldung im G-Code-Reader anzeigen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Warnmeldung in G-Code-Reader" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Soll die Schicht in den Kompatibilitätsmodus gezwungen werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Schichtenansicht Kompatibilitätsmodus erzwingen (Neustart erforderlich)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Sollte Cura sich an der Stelle öffnen, an der das Programm geschlossen wurde?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Fensterposition beim Start wiederherstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Welches Kamera-Rendering sollte verwendet werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Kamera-Rendering:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Ansicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Orthogonal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Dateien öffnen und speichern" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Sollten Dateien vom Desktop oder von externen Anwendungen in derselben Instanz von Cura geöffnet werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Eine einzelne Instanz von Cura verwenden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Soll das Druckbett jeweils vor dem Laden eines neuen Modells in einer einzelnen Instanz von Cura gelöscht werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Druckbett vor dem Laden des Modells in die Einzelinstanz löschen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Sollen Modelle an das Erstellungsvolumen angepasst werden, wenn sie zu groß sind?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Große Modelle anpassen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Ein Modell kann extrem klein erscheinen, wenn seine Maßeinheit z. B. in Metern anstelle von Millimetern angegeben ist. Sollen diese Modelle hoch skaliert werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Extrem kleine Modelle skalieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Sollten Modelle gewählt werden, nachdem sie geladen wurden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Modelle wählen, nachdem sie geladen wurden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Soll ein Präfix anhand des Druckernamens automatisch zum Namen des Druckauftrags hinzugefügt werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Geräte-Präfix zu Auftragsnamen hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Soll beim Speichern einer Projektdatei eine Zusammenfassung angezeigt werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Dialog Zusammenfassung beim Speichern eines Projekts anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Standardverhalten beim Öffnen einer Projektdatei" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Standardverhalten beim Öffnen einer Projektdatei: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Stets nachfragen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Immer als Projekt öffnen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Modelle immer importieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Wenn Sie Änderungen für ein Profil vorgenommen haben und zu einem anderen Profil gewechselt sind, wird ein Dialog angezeigt, der hinterfragt, ob Sie Ihre Änderungen beibehalten möchten oder nicht; optional können Sie ein Standardverhalten wählen, sodass dieser Dialog nicht erneut angezeigt wird." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Standardverhalten für geänderte Einstellungswerte beim Wechsel zu einem anderen Profil: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Geänderte Einstellungen immer verwerfen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Geänderte Einstellungen immer auf neues Profil übertragen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Privatsphäre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Sollen anonyme Daten über Ihren Druck an Ultimaker gesendet werden? Beachten Sie, dass keine Modelle, IP-Adressen oder andere personenbezogene Daten gesendet oder gespeichert werden." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(Anonyme) Druckinformationen senden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Mehr Informationen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Updates" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Soll Cura bei Programmstart nach Updates suchen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Bei Start nach Updates suchen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Wählen Sie bei der Suche nach Updates nur stabile Versionen aus." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Nur stabile Versionen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Wählen Sie bei der Suche nach Updates sowohl stabile als auch Beta-Versionen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Stabile und Beta-Versionen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Sollte jedes Mal, wenn Cura gestartet wird, eine automatische Überprüfung auf neue Plug-ins durchgeführt werden? Es wird dringend empfohlen, diese Funktion nicht zu deaktivieren!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Benachrichtigungen über Plug-in-Updates erhalten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informationen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Änderung Durchmesser bestätigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Der neue Filament-Durchmesser wurde auf %1 mm eingestellt, was nicht kompatibel mit dem aktuellen Extruder ist. Möchten Sie fortfahren?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Namen anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Materialtyp" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Farbe" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Eigenschaften" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Dichte" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Durchmesser" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Filamentkosten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Filamentgewicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Filamentlänge" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Kosten pro Meter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Dieses Material ist mit %1 verknüpft und teilt sich damit einige seiner Eigenschaften." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Material trennen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Beschreibung" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Haftungsinformationen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Erstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplizieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Mit Druckern synchronisieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Material importieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Material konnte nicht importiert werden %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Material wurde erfolgreich importiert %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Material exportieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Exportieren des Materials nach %1: %2 schlug fehl" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Material erfolgreich nach %1 exportiert" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Alle Materialien exportieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Sichtbarkeit einstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Alle prüfen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Berechnet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Einstellung" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Aktuell" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Einheit" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Nicht mit einem Drucker verbunden" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Drucker nimmt keine Befehle an" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "In Wartung. Den Drucker überprüfen" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Verbindung zum Drucker wurde unterbrochen" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Es wird gedruckt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Pausiert" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Vorbereitung läuft..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Bitte den Ausdruck entfernen" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Drucken abbrechen" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Soll das Drucken wirklich abgebrochen werden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Ausgewähltes Modell drucken mit %1" +msgstr[1] "Ausgewählte Modelle drucken mit %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Meine Drucker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Überwachen Sie Drucker in der Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Erstellen Sie Druckprojekte in der digitalen Bibliothek." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Druckaufträge" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Überwachen Sie Druckaufträge und drucken Sie sie aus Ihrem Druckprotokoll nach." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Erweitern Sie Ultimaker Cura durch Plugins und Materialprofile." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Werden Sie ein 3D-Druck-Experte mittels des E-Learning von Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimaker Kundendienst" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Erfahren Sie, wie Sie mit Ultimaker Cura Ihre Arbeit beginnen können." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Eine Frage stellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Wenden Sie sich an die Ultimaker Community." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Einen Fehler melden" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Lassen Sie es die Entwickler wissen, falls etwas schief läuft." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Besuchen Sie die Ultimaker-Website." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Druckersteuerung" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Tippposition" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Tippdistanz" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "G-Code senden" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Einen benutzerdefinierten G-Code-Befehl an den verbundenen Drucker senden. „Eingabe“ drücken, um den Befehl zu senden." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Die Zieltemperatur des Hotend. Das Hotend wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Hotend-Heizung ausgeschaltet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Die aktuelle Temperatur dieses Hotends." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Die Temperatur, auf die das Hotend vorgeheizt wird." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Abbrechen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Vorheizen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Heizen Sie das Hotend vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Hotend aufgeheizt ist, wenn Sie druckbereit sind." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Die Farbe des Materials in diesem Extruder." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Das Material in diesem Extruder." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Die in diesem Extruder eingesetzte Düse." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Der Drucker ist nicht verbunden." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Druckbett" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Die Zieltemperatur des heizbaren Betts. Das Bett wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Bettheizung ausgeschaltet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Die aktuelle Temperatur des beheizten Betts." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Die Temperatur, auf die das Bett vorgeheizt wird." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Heizen Sie das Bett vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Bett aufgeheizt ist, wenn Sie druckbereit sind." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Anmelden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Materialprofile und Plug-ins aus dem Marketplace hinzufügen\n" +"- Materialprofile und Plug-ins sichern und synchronisieren\n" +"- Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Kostenloses Ultimaker-Konto erstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Letztes Update: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker‑Konto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Abmelden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Überprüfung läuft ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Konto wurde synchronisiert" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Irgendetwas ist schief gelaufen ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Ausstehende Updates installieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Nach Updates für das Konto suchen" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Unbenannt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Keine auswählbaren Einträge" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Online-Fehlerbehebung anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Umschalten auf Vollbild-Modus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Vollbildmodus beenden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Rückgängig machen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Wiederholen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Beenden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D-Ansicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Vorderansicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Draufsicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Ansicht von unten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Ansicht von links" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Ansicht von rechts" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Cura konfigurieren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Drucker hinzufügen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Dr&ucker verwalten..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Materialien werden verwaltet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Weiteres Material aus Marketplace hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Aktuelle Änderungen verwerfen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "P&rofil von aktuellen Einstellungen/Überschreibungen erstellen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profile verwalten..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Online-&Dokumentation anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "&Fehler melden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Neuheiten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Über..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Ausgewählte löschen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Ausgewählte zentrieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Ausgewählte vervielfachen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Modell löschen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Modell auf Druckplatte ze&ntrieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "Modelle &gruppieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Gruppierung für Modelle aufheben" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Modelle &zusammenführen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "Modell &multiplizieren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Alle Modelle wählen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Druckplatte reinigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Alle Modelle neu laden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Alle Modelle an allen Druckplatten anordnen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Alle Modelle anordnen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Anordnung auswählen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Alle Modellpositionen zurücksetzen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Alle Modelltransformationen zurücksetzen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Datei(en) öffnen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Neues Projekt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Konfigurationsordner anzeigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Sichtbarkeit einstellen wird konfiguriert..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marktplatz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Diese Einstellung wird nicht verwendet, weil alle hierdurch beeinflussten Einstellungen aufgehoben werden." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Hat Einfluss auf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Wird beeinflusst von" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Diese Einstellung wird stets zwischen allen Extrudern geteilt. Eine Änderung ändert den Wert für alle Extruder." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Diese Einstellung wird durch gegensätzliche, extruderspezifische Werte gelöst:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5222,7 +5824,7 @@ msgstr "" "\n" "Klicken Sie, um den Wert des Profils wiederherzustellen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5233,508 +5835,93 @@ msgstr "" "\n" "Klicken Sie, um den berechneten Wert wiederherzustellen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Einstellungen durchsuchen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Werte für alle Extruder kopieren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Alle geänderten Werte für alle Extruder kopieren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Diese Einstellung ausblenden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Diese Einstellung ausblenden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Diese Einstellung weiterhin anzeigen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3D-Ansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Vorderansicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Draufsicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Ansicht von links" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Ansicht von rechts" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Typ anzeigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Einen Cloud-Drucker hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Auf eine Antwort von der Cloud warten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Keine Drucker in Ihrem Konto gefunden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Folgende Drucker in Ihrem Konto wurden zu Cura hinzugefügt:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Drucker manuell hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Hersteller" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor des Profils" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Druckername" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Bitte weisen Sie Ihrem Drucker einen Namen zu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Einen Drucker hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Einen vernetzten Drucker hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Einen unvernetzten Drucker hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Kein Drucker in Ihrem Netzwerk gefunden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Aktualisieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Drucker nach IP hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Ein Cloud-Drucker hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Störungen beheben" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Drucker nach IP-Adresse hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Geben Sie die IP-Adresse Ihres Druckers ein." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Verbindung mit Drucker nicht möglich." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Sie können keine Verbindung zu Ihrem Ultimaker-Drucker herstellen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "Der Drucker unter dieser Adresse hat noch nicht reagiert." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Dieser Drucker kann nicht hinzugefügt werden, weil es sich um einen unbekannten Drucker handelt oder er nicht im Host einer Gruppe enthalten ist." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Zurück" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Verbinden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Versionshinweise" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Materialeinstellungen und Plug-ins aus dem Marketplace hinzufügen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Materialeinstellungen und Plug-ins sichern und synchronisieren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Überspringen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Kostenloses Ultimaker-Konto erstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Helfen Sie uns, Ultimaker Cura zu verbessern" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Dazu gehören:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Gerätetypen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Materialverbrauch" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Anzahl der Slices" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Druckeinstellungen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Die von Ultimaker Cura erfassten Daten enthalten keine personenbezogenen Daten." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Mehr Informationen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Leer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Benutzervereinbarung" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Ablehnen und schließen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Willkommen bei Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"Befolgen Sie bitte diese Schritte für das Einrichten von\n" -"Ultimaker Cura. Dies dauert nur wenige Sekunden." +"Einige ausgeblendete Einstellungen verwenden Werte, die von ihren normalen, berechneten Werten abweichen.\n" +"\n" +"Klicken Sie, um diese Einstellungen sichtbar zu machen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Erste Schritte" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Dieses Paket wird nach einem Neustart installiert." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Einstellungen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 wird geschlossen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Möchten Sie %1 wirklich beenden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Paket installieren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Datei(en) öffnen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Es wurden eine oder mehrere G-Code-Datei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine G-Code-Datei auf einmal öffnen. Wenn Sie eine G-Code-Datei öffnen möchten wählen Sie bitte nur eine Datei." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Drucker hinzufügen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Neuheiten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Keine auswählbaren Einträge" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Überprüft Modelle und Druckkonfiguration auf mögliche Probleme und erteilt Empfehlungen." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Modell-Prüfer" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Ermöglicht das Lesen von 3MF-Dateien." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF-Reader" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Bietet Unterstützung für das Schreiben von 3MF-Dateien." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF-Writer" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Ermöglicht das Lesen von AMF-Dateien." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF-Reader" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Sicherung und Wiederherstellen Ihrer Konfiguration." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura-Backups" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Stellt die Verbindung zum Slicing-Backend der CuraEngine her." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine Backend" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Ermöglicht das Importieren von Cura-Profilen." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura-Profil-Reader" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Ermöglicht das Exportieren von Cura-Profilen." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura-Profil-Writer" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Stellt eine Verbindung zur Digitalen Bibliothek her und ermöglicht es Cura, Dateien aus der Digitalen Bibliothek zu öffnen und darin zu speichern." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Digitale Bibliothek von Ultimaker" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Nach Firmware-Updates suchen." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Firmware-Update-Prüfer" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Ermöglicht Gerätemaßnahmen für die Aktualisierung der Firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Firmware-Aktualisierungsfunktion" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Liest G-Code-Format aus einem komprimierten Archiv." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Reader für komprimierten G-Code" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "G-Code wird in ein komprimiertes Archiv geschrieben." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Writer für komprimierten G-Code" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Ermöglicht das Importieren von Profilen aus G-Code-Dateien." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-Code-Profil-Reader" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Ermöglicht das Laden und Anzeigen von G-Code-Dateien." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-Code-Reader" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Schreibt G-Code in eine Datei." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-Code-Writer" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Ermöglicht Erstellung von druckbarer Geometrie aus einer 2D-Bilddatei." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Bild-Reader" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Bietet Unterstützung für den Import von Profilen der Vorgängerversionen von Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Cura-Vorgängerprofil-Reader" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Beschreibt die Durchführung der Geräteeinstellung (z. B. Druckabmessung, Düsengröße usw.)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Beschreibung Geräteeinstellungen" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Bietet eine Überwachungsstufe in Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Überwachungsstufe" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5745,85 +5932,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Werkzeug „Einstellungen pro Objekt“" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Erweiterung, die eine Nachbearbeitung von Skripten ermöglicht, die von Benutzern erstellt wurden" +msgid "Provides support for importing Cura profiles." +msgstr "Ermöglicht das Importieren von Cura-Profilen." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Nachbearbeitung" +msgid "Cura Profile Reader" +msgstr "Cura-Profil-Reader" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Bietet eine Vorbereitungsstufe in Cura." +msgid "Provides support for reading X3D files." +msgstr "Bietet Unterstützung für das Lesen von X3D-Dateien." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Vorbereitungsstufe" +msgid "X3D Reader" +msgstr "X3D-Reader" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Bietet eine Vorschaustufe in Cura." +msgid "Backup and restore your configuration." +msgstr "Sicherung und Wiederherstellen Ihrer Konfiguration." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Vorschaustufe" +msgid "Cura Backups" +msgstr "Cura-Backups" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Ermöglicht Hotplugging des Wechseldatenträgers und Beschreiben." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Beschreibt die Durchführung der Geräteeinstellung (z. B. Druckabmessung, Düsengröße usw.)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Ausgabegerät-Plugin für Wechseldatenträger" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Protokolliert bestimmte Ereignisse, damit diese vom Absturzbericht verwendet werden können" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Sentry-Protokolleinrichtung" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Ermöglicht die Simulationsansicht." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Simulationsansicht" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Sendet anonymisierte Slice-Informationen. Kann in den Einstellungen deaktiviert werden." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Slice-Informationen" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Bietet eine normale, solide Netzansicht." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Solide Ansicht" +msgid "Machine Settings Action" +msgstr "Beschreibung Geräteeinstellungen" #: SupportEraser/plugin.json msgctxt "description" @@ -5835,35 +5982,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Stützstruktur-Radierer" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Neue Cura Pakete finden, verwalten und installieren." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Ermöglicht Hotplugging des Wechseldatenträgers und Beschreiben." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Toolbox" +msgid "Removable Drive Output Device Plugin" +msgstr "Ausgabegerät-Plugin für Wechseldatenträger" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Unterstützt das Lesen von Modelldateien." +msgid "Provides a machine actions for updating firmware." +msgstr "Ermöglicht Gerätemaßnahmen für die Aktualisierung der Firmware." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh Reader" +msgid "Firmware Updater" +msgstr "Firmware-Aktualisierungsfunktion" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Bietet Unterstützung für das Lesen von Ultimaker Format Packages." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Bietet Unterstützung für den Import von Profilen der Vorgängerversionen von Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP-Reader" +msgid "Legacy Cura Profile Reader" +msgstr "Cura-Vorgängerprofil-Reader" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Ermöglicht das Lesen von 3MF-Dateien." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF-Reader" #: UFPWriter/plugin.json msgctxt "description" @@ -5875,25 +6032,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFP-Writer" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Ermöglicht Maschinenabläufe für Ultimaker-Maschinen (z. B. Assistent für Bettnivellierung, Auswahl von Upgrades usw.)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Protokolliert bestimmte Ereignisse, damit diese vom Absturzbericht verwendet werden können" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker-Maschinenabläufe" +msgid "Sentry Logger" +msgstr "Sentry-Protokolleinrichtung" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Verwaltet Netzwerkverbindungen zu Ultimaker-Netzwerkdruckern." +msgid "Provides support for importing profiles from g-code files." +msgstr "Ermöglicht das Importieren von Profilen aus G-Code-Dateien." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker-Netzwerkverbindung" +msgid "G-code Profile Reader" +msgstr "G-Code-Profil-Reader" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Bietet eine Vorschaustufe in Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Vorschaustufe" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Stellt die Röntgen-Ansicht bereit." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Röntgen-Ansicht" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Stellt die Verbindung zum Slicing-Backend der CuraEngine her." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine Backend" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Ermöglicht das Lesen von AMF-Dateien." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF-Reader" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Liest G-Code-Format aus einem komprimierten Archiv." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Reader für komprimierten G-Code" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Erweiterung, die eine Nachbearbeitung von Skripten ermöglicht, die von Benutzern erstellt wurden" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Nachbearbeitung" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Ermöglicht das Exportieren von Cura-Profilen." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura-Profil-Writer" #: USBPrinting/plugin.json msgctxt "description" @@ -5905,25 +6132,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB-Drucken" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Aktualisiert Konfigurationen von Cura 2.1 auf Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Bietet eine Vorbereitungsstufe in Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Upgrade von Version 2.1 auf 2.2" +msgid "Prepare Stage" +msgstr "Vorbereitungsstufe" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Aktualisiert Konfigurationen von Cura 2.2 auf Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Ermöglicht das Laden und Anzeigen von G-Code-Dateien." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Upgrade von Version 2.2 auf 2.4" +msgid "G-code Reader" +msgstr "G-Code-Reader" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Ermöglicht Erstellung von druckbarer Geometrie aus einer 2D-Bilddatei." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Bild-Reader" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Ermöglicht Maschinenabläufe für Ultimaker-Maschinen (z. B. Assistent für Bettnivellierung, Auswahl von Upgrades usw.)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker-Maschinenabläufe" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "G-Code wird in ein komprimiertes Archiv geschrieben." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Writer für komprimierten G-Code" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Nach Firmware-Updates suchen." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Firmware-Update-Prüfer" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Sendet anonymisierte Slice-Informationen. Kann in den Einstellungen deaktiviert werden." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Slice-Informationen" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Bietet Möglichkeiten, um XML-basierte Materialprofile zu lesen und zu schreiben." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Materialprofile" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Stellt eine Verbindung zur Digitalen Bibliothek her und ermöglicht es Cura, Dateien aus der Digitalen Bibliothek zu öffnen und darin zu speichern." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Digitale Bibliothek von Ultimaker" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Neue Cura Pakete finden, verwalten und installieren." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Toolbox" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Schreibt G-Code in eine Datei." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-Code-Writer" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Ermöglicht die Simulationsansicht." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Simulationsansicht" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Upgrade der Konfigurationen von Cura 4.5 auf Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Upgrade von Version 4.5 auf 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -5935,55 +6272,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Upgrade von Version 2.5 auf 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Aktualisiert Konfigurationen von Cura 2.6 auf Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Upgrade der Konfigurationen von Cura 4.6.0 auf Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Upgrade von Version 2.6 auf 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Upgrade von Version 4.6.0 auf 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Aktualisiert Konfigurationen von Cura 2.7 auf Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Upgrade der Konfigurationen von Cura 4.7 auf Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Upgrade von Version 2.7 auf 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Aktualisiert Konfigurationen von Cura 3.0 auf Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Upgrade von Version 3.0 auf 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Aktualisiert Konfigurationen von Cura 3.2 auf Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Upgrade von Version 3.2 auf 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Aktualisiert Konfigurationen von Cura 3.3 auf Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Upgrade von Version 3.3 auf 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Upgrade von Version 4.7 auf 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -5995,45 +6302,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Upgrade von Version 3.4 auf 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Aktualisiert Konfigurationen von Cura 3.5 auf Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Aktualisiert Konfigurationen von Cura 2.1 auf Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Upgrade von Version 3.5 auf 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Upgrade von Version 2.1 auf 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Aktualisiert Konfigurationen von Cura 4.0 auf Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Aktualisiert Konfigurationen von Cura 3.2 auf Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Upgrade von Version 4.0 auf 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Upgrade von Version 3.2 auf 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Aktualisiert die Konfigurationen von Cura 4.11 auf Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Upgrade der Konfigurationen von Cura 4.8 auf Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Upgrade von Version 4.11 auf 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Upgrade von Version 4.8 auf 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Aktualisiert Konfigurationen von Cura 4.1 auf Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Aktualisiert Konfigurationen von Cura 4.6.2 auf Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Upgrade von Version 4.1 auf 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Upgrade von Version 4.6.2 auf 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6055,66 +6362,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Upgrade von Version 4.3 auf 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Upgrade der Konfigurationen von Cura 4.4 auf Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Upgrade von Version 4.4 auf 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Upgrade der Konfigurationen von Cura 4.5 auf Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Upgrade von Version 4.5 auf 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Upgrade der Konfigurationen von Cura 4.6.0 auf Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Upgrade von Version 4.6.0 auf 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Aktualisiert Konfigurationen von Cura 4.6.2 auf Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Upgrade von Version 4.6.2 auf 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Upgrade der Konfigurationen von Cura 4.7 auf Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Upgrade von Version 4.7 auf 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Upgrade der Konfigurationen von Cura 4.8 auf Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Upgrade von Version 4.8 auf 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6125,35 +6372,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Upgrade von Version 4.9 auf 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Bietet Unterstützung für das Lesen von X3D-Dateien." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Aktualisiert Konfigurationen von Cura 2.7 auf Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D-Reader" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Upgrade von Version 2.7 auf 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Bietet Möglichkeiten, um XML-basierte Materialprofile zu lesen und zu schreiben." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Aktualisiert Konfigurationen von Cura 2.6 auf Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Materialprofile" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Upgrade von Version 2.6 auf 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Stellt die Röntgen-Ansicht bereit." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Aktualisiert die Konfigurationen von Cura 4.11 auf Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Röntgen-Ansicht" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Upgrade von Version 4.11 auf 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Aktualisiert Konfigurationen von Cura 3.3 auf Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Upgrade von Version 3.3 auf 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Aktualisiert Konfigurationen von Cura 3.0 auf Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Upgrade von Version 3.0 auf 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Aktualisiert Konfigurationen von Cura 4.0 auf Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Upgrade von Version 4.0 auf 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Upgrade der Konfigurationen von Cura 4.4 auf Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Upgrade von Version 4.4 auf 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Aktualisiert Konfigurationen von Cura 2.2 auf Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Upgrade von Version 2.2 auf 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Aktualisiert Konfigurationen von Cura 4.1 auf Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Upgrade von Version 4.1 auf 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Aktualisiert Konfigurationen von Cura 3.5 auf Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Upgrade von Version 3.5 auf 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Verwaltet Netzwerkverbindungen zu Ultimaker-Netzwerkdruckern." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker-Netzwerkverbindung" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Unterstützt das Lesen von Modelldateien." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh Reader" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Bietet Unterstützung für das Lesen von Ultimaker Format Packages." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP-Reader" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Bietet eine normale, solide Netzansicht." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Solide Ansicht" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Bietet Unterstützung für das Schreiben von 3MF-Dateien." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF-Writer" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Bietet eine Überwachungsstufe in Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Überwachungsstufe" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Überprüft Modelle und Druckkonfiguration auf mögliche Probleme und erteilt Empfehlungen." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Modell-Prüfer" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." @@ -7012,8 +7399,7 @@ msgstr "Röntgen-Ansicht" #~ "\n" #~ "Select your printer from the list below:" #~ msgstr "" -#~ "Um über das Netzwerk direkt auf Ihrem Drucker zu drucken, stellen Sie bitte sicher, dass der Drucker mit dem Netzwerkkabel verbunden ist oder verbinden Sie Ihren Drucker mit Ihrem WLAN-Netzwerk. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie dennoch ein USB-Laufwerk für die Übertragung " -#~ "von G-Code-Dateien auf Ihren Drucker verwenden.\n" +#~ "Um über das Netzwerk direkt auf Ihrem Drucker zu drucken, stellen Sie bitte sicher, dass der Drucker mit dem Netzwerkkabel verbunden ist oder verbinden Sie Ihren Drucker mit Ihrem WLAN-Netzwerk. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie dennoch ein USB-Laufwerk für die Übertragung von G-Code-Dateien auf Ihren Drucker verwenden.\n" #~ "\n" #~ "Wählen Sie Ihren Drucker aus der folgenden Liste:" diff --git a/resources/i18n/de_DE/fdmextruder.def.json.po b/resources/i18n/de_DE/fdmextruder.def.json.po index 37b3deae31..76cc994c6c 100644 --- a/resources/i18n/de_DE/fdmextruder.def.json.po +++ b/resources/i18n/de_DE/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 15:15+0200\n" "Last-Translator: Bothof \n" "Language-Team: German\n" diff --git a/resources/i18n/de_DE/fdmprinter.def.json.po b/resources/i18n/de_DE/fdmprinter.def.json.po index c32d3d348c..96cad93706 100644 --- a/resources/i18n/de_DE/fdmprinter.def.json.po +++ b/resources/i18n/de_DE/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:16+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: German , German \n" @@ -53,8 +53,10 @@ msgstr "Start G-Code" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -63,8 +65,10 @@ msgstr "Ende G-Code" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -146,6 +150,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Die Tiefe (Y-Richtung) des druckbaren Bereichs." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Gerätehöhe" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Die Höhe (Z-Richtung) des druckbaren Bereichs." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -186,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Aluminium" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Gerätehöhe" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Die Höhe (Z-Richtung) des druckbaren Bereichs." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -553,8 +557,8 @@ msgstr "Die Maximaldrehzahl für den Motor der Z-Richtung." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Maximaler Vorschub" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1723,12 +1727,8 @@ msgstr "Füllmuster" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Das Muster des Füllmaterials des Drucks. Die Linien- und Zickzackfüllmethode wechseln nach jeder Schicht die Richtung, um Materialkosten zu reduzieren." -" Die Gitter-, Dreieck- Tri-Hexagon-, Würfel-, Octahedral-, Viertelwürfel-, Quer- und konzentrischen Muster werden in jeder Schicht vollständig gedruckt." -" Gyroid-, Würfel-, Viertelwürfel- und achtflächige Füllungen wechseln mit jeder Schicht, um eine gleichmäßigere Verteilung der Stärke in allen Richtungen" -" zu erzielen. Die Einstellung Blitz versucht, die Füllung zu minimieren, indem nur die (internen) Dächer des Objekts gestützt werden. Der ‚gültige‘ Prozentsatz" -" der Füllung bezieht sich daher nur auf die jeweilige Ebene unter dem zu stützenden Bereich des Modells." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2041,9 +2041,8 @@ msgstr "Beschnittwinkel der Blitz-Füllung" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "Der Unterschied, den eine Blitz-Füllschicht zu der unmittelbar darüber liegenden Schicht haben kann, wenn es um den Beschnitt der äußeren Enden von Bäumen" -" geht. Gemessen in dem Winkel, den die Schichtstärke vorgibt." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2052,9 +2051,8 @@ msgstr "Begradigungswinkel der Blitz-Füllung" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "Die veränderte Position, die eine Schicht der Blitz-Füllung zu der unmittelbar darüber liegenden Schicht haben kann, wenn es um das Ausrunden der äußeren" -" Enden von Bäumen geht. Gemessen als Winkel der Zweige." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6479,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Transformationsmatrix, die beim Laden aus der Datei auf das Modell angewandt wird." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Maximaler Vorschub" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Das Muster des Füllmaterials des Drucks. Die Linien- und Zickzackfüllmethode wechseln nach jeder Schicht die Richtung, um Materialkosten zu reduzieren. Die Gitter-, Dreieck- Tri-Hexagon-, Würfel-, Octahedral-, Viertelwürfel-, Quer- und konzentrischen Muster werden in jeder Schicht vollständig gedruckt. Gyroid-, Würfel-, Viertelwürfel- und achtflächige Füllungen wechseln mit jeder Schicht, um eine gleichmäßigere Verteilung der Stärke in allen Richtungen zu erzielen. Die Einstellung Blitz versucht, die Füllung zu minimieren, indem nur die (internen) Dächer des Objekts gestützt werden. Der ‚gültige‘ Prozentsatz der Füllung bezieht sich daher nur auf die jeweilige Ebene unter dem zu stützenden Bereich des Modells." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "Der Unterschied, den eine Blitz-Füllschicht zu der unmittelbar darüber liegenden Schicht haben kann, wenn es um den Beschnitt der äußeren Enden von Bäumen geht. Gemessen in dem Winkel, den die Schichtstärke vorgibt." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "Die veränderte Position, die eine Schicht der Blitz-Füllung zu der unmittelbar darüber liegenden Schicht haben kann, wenn es um das Ausrunden der äußeren Enden von Bäumen geht. Gemessen als Winkel der Zweige." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Das Muster des Füllmaterials des Drucks. Die Linien- und Zickzackfüllmethode wechseln nach jeder Schicht die Richtung, um Materialkosten zu reduzieren. Die Gitter-, Dreieck- Tri-Hexagon-, Würfel-, Octahedral-, Viertelwürfel-, Quer- und konzentrischen Muster werden in jeder Schicht vollständig gedruckt. Gyroid-, Würfel-, Viertelwürfel- und Octahedral-Füllungen wechseln mit jeder Schicht, um eine gleichmäßigere Verteilung der Stärke in allen Richtungen zu erzielen." diff --git a/resources/i18n/es_ES/cura.po b/resources/i18n/es_ES/cura.po index 525e8124cd..3c083fb783 100644 --- a/resources/i18n/es_ES/cura.po +++ b/resources/i18n/es_ES/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-11-08 11:48+0100\n" "Last-Translator: Lionbridge \n" "Language-Team: \n" @@ -17,190 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Desconocido" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "No se ha podido crear el archivo desde el directorio de datos de usuario: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Las siguientes impresoras no pueden conectarse porque forman parte de un grupo" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Copia de seguridad" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Impresoras en red disponibles" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Se ha intentado restaurar una copia de seguridad de Cura sin tener los datos o metadatos adecuados." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "No reemplazado" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Se ha intentado restaurar una copia de seguridad de Cura superior a la versión actual." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "Se ha producido el siguiente error al intentar restaurar una copia de seguridad de Cura:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Sincronice los perfiles de material con sus impresoras antes de comenzar a imprimir." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Nuevos materiales instalados" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Sincronizar materiales con impresoras" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Más información" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "No se pudo guardar el archivo de material en {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Se ha producido un error al guardar el archivo de material" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "La altura del volumen de impresión se ha reducido debido al valor del ajuste «Secuencia de impresión» para evitar que el caballete colisione con los modelos impresos." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volumen de impresión" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "¿Seguro que desea eliminar {0}? ¡Esta acción no se puede deshacer!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "No reemplazado" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Desconocido" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Las siguientes impresoras no pueden conectarse porque forman parte de un grupo" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Impresoras en red disponibles" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Visual" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "El perfil visual está diseñado para imprimir prototipos y modelos visuales con la intención de obtener una alta calidad visual y de superficies." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "El perfil de ingeniería ha sido diseñado para imprimir prototipos funcionales y piezas de uso final con la intención de obtener una mayor precisión y tolerancias más precisas." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Boceto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "El perfil del boceto ha sido diseñado para imprimir los prototipos iniciales y la validación del concepto con la intención de reducir el tiempo de impresión de manera considerable." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Sincronice los perfiles de material con sus impresoras antes de comenzar a imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Nuevos materiales instalados" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Sincronizar materiales con impresoras" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Más información" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Material personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "No se pudo guardar el archivo de material en {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Se ha producido un error al guardar el archivo de material" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Perfiles personalizados" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Todos los tipos compatibles ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Todos los archivos (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Visual" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "El perfil visual está diseñado para imprimir prototipos y modelos visuales con la intención de obtener una alta calidad visual y de superficies." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "El perfil de ingeniería ha sido diseñado para imprimir prototipos funcionales y piezas de uso final con la intención de obtener una mayor precisión y tolerancias más precisas." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Boceto" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "El perfil del boceto ha sido diseñado para imprimir los prototipos iniciales y la validación del concepto con la intención de reducir el tiempo de impresión de manera considerable." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Material personalizado" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Fallo de inicio de sesión" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Buscando nueva ubicación para los objetos" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Buscando ubicación" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "No se puede encontrar una ubicación dentro del volumen de impresión para todos los objetos" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "No se puede encontrar la ubicación" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "No se ha podido crear el archivo desde el directorio de datos de usuario: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Copia de seguridad" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Se ha intentado restaurar una copia de seguridad de Cura sin tener los datos o metadatos adecuados." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Se ha intentado restaurar una copia de seguridad de Cura superior a la versión actual." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "Se ha producido el siguiente error al intentar restaurar una copia de seguridad de Cura:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Cargando máquinas..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Configurando preferencias...." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Iniciando la máquina activa..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Iniciando el administrador de la máquina..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Iniciando el volumen de impresión..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Configurando escena..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Cargando interfaz..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Iniciando el motor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "La altura del volumen de impresión se ha reducido debido al valor del ajuste «Secuencia de impresión» para evitar que el caballete colisione con los modelos impresos." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Solo se puede cargar un archivo GCode a la vez. Se omitió la importación de {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volumen de impresión" +msgid "Warning" +msgstr "Advertencia" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "No se puede abrir ningún archivo si se está cargando un archivo GCode. Se omitió la importación de {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Error" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Omitir" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Cerrar" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Siguiente" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Finalizar" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Agregar" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "N.º de grupo {group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Pared exterior" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Paredes interiores" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Forro" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Relleno" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Relleno de soporte" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Interfaz de soporte" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Soporte" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Falda" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Torre auxiliar" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Desplazamiento" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Retracciones" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Otro" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "No se han podido abrir las notas de la versión." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura no puede iniciarse" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -215,32 +474,32 @@ msgstr "" "

    Envíenos el informe de errores para que podamos solucionar el problema.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Enviar informe de errores a Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Mostrar informe de errores detallado" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostrar carpeta de configuración" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Realizar copia de seguridad y restablecer configuración" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Informe del accidente" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -251,666 +510,641 @@ msgstr "" "

    Utilice el botón \"Enviar informe\" para publicar automáticamente el informe de errores en nuestros servidores.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Información del sistema" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Desconocido" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versión de Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Idioma de Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Idioma del sistema operativo" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plataforma" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versión Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versión PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Aún no se ha inicializado
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versión de OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Proveedor de OpenGL: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Representador de OpenGL: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Rastreabilidad de errores" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Registros" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Enviar informe" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Cargando máquinas..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Configurando preferencias...." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Iniciando la máquina activa..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Iniciando el administrador de la máquina..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Iniciando el volumen de impresión..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Configurando escena..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Cargando interfaz..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Iniciando el motor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Solo se puede cargar un archivo GCode a la vez. Se omitió la importación de {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Advertencia" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "No se puede abrir ningún archivo si se está cargando un archivo GCode. Se omitió la importación de {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Error" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplicar y colocar objetos" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Colocando objetos" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Colocando objeto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "No se ha podido leer la respuesta." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "El estado indicado no es correcto." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Conceda los permisos necesarios al autorizar esta aplicación." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Se ha producido un problema al intentar iniciar sesión, vuelva a intentarlo." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "No se puede iniciar un nuevo proceso de inicio de sesión. Compruebe si todavía está activo otro intento de inicio de sesión." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "No se puede acceder al servidor de cuentas de Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "El estado indicado no es correcto." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Conceda los permisos necesarios al autorizar esta aplicación." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Se ha producido un problema al intentar iniciar sesión, vuelva a intentarlo." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "No se ha podido leer la respuesta." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplicar y colocar objetos" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Colocando objetos" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Colocando objeto" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "No compatible" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Tobera" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "La configuración se ha cambiado para que coincida con los extrusores disponibles en este momento:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Ajustes actualizados" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extrusores deshabilitados" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "El archivo ya existe" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "El archivo {0} ya existe. ¿Está seguro de que desea sobrescribirlo?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL del archivo no válida:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Error al exportar el perfil a {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Error al exportar el perfil a {0}: Error en el complemento de escritura." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Perfil exportado a {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Exportación correcta" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Error al importar el perfil de {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "No se puede importar el perfil de {0} antes de añadir una impresora." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "No hay ningún perfil personalizado para importar en el archivo {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Error al importar el perfil de {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Este perfil {0} contiene datos incorrectos, no se han podido importar." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Error al importar el perfil de {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Perfil {0} importado correctamente." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "El archivo {0} no contiene ningún perfil válido." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "El perfil {0} tiene un tipo de archivo desconocido o está corrupto." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Perfil personalizado" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Al perfil le falta un tipo de calidad." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Todavía no hay ninguna impresora activa." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "No se puede añadir el perfil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "El tipo de calidad '{0}' no es compatible con la definición actual de máquina activa '{1}'." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Advertencia: el perfil no es visible porque su tipo de calidad '{0}' no está disponible para la configuración actual. Cambie a una combinación de material/tobera que pueda utilizar este tipo de calidad." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "No compatible" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Tobera" +msgid "Per Model Settings" +msgstr "Ajustes por modelo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "La configuración se ha cambiado para que coincida con los extrusores disponibles en este momento:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Configurar ajustes por modelo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Perfil de cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "Archivo X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Se ha producido un error al intentar restaurar su copia de seguridad." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ajustes actualizados" +msgid "Backups" +msgstr "Copias de seguridad" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrusores deshabilitados" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Se ha producido un error al cargar su copia de seguridad." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Agregar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Creando copia de seguridad..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Finalizar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Se ha producido un error al crear la copia de seguridad." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Cancelar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Cargando su copia de seguridad..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Su copia de seguridad ha terminado de cargarse." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "La copia de seguridad excede el tamaño máximo de archivo." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Administrar copias de seguridad" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Ajustes de la máquina" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Bloqueador de soporte" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Cree un volumen que no imprima los soportes." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Unidad extraíble" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Guardar en unidad extraíble" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "N.º de grupo {group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Guardar en unidad extraíble {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Pared exterior" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "¡No hay formatos de archivo disponibles con los que escribir!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Paredes interiores" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Guardando en unidad extraíble {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Forro" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Relleno" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Relleno de soporte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Interfaz de soporte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Soporte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Falda" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Torre auxiliar" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Desplazamiento" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Retracciones" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Otro" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "No se han podido abrir las notas de la versión." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Siguiente" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Omitir" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Cerrar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Asistente del modelo 3D" +msgid "Saving" +msgstr "Guardando" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "No se pudo guardar en {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "No se pudo encontrar un nombre de archivo al tratar de escribir en {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Es posible que uno o más modelos 3D no se impriman correctamente debido al tamaño del modelo y la configuración del material:

    \n" -"

    {model_names}

    \n" -"

    Obtenga más información sobre cómo garantizar la mejor calidad y fiabilidad de impresión posible.

    \n" -"

    Ver guía de impresión de calidad

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "No se pudo guardar en unidad extraíble {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Guardado en unidad extraíble {0} como {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Archivo guardado" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Expulsar" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Expulsar dispositivo extraíble {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Expulsado {0}. Ahora puede retirar de forma segura la unidad." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Retirar de forma segura el hardware" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Error al expulsar {0}. Es posible que otro programa esté utilizando la unidad." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Actualizar firmware" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Perfiles de Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Recomendado" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "El archivo del proyecto {0} contiene un tipo de máquina desconocida {1}. No se puede importar la máquina, en su lugar, se importarán los modelos." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Abrir archivo de proyecto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "El archivo de proyecto {0} está repentinamente inaccesible: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "No se puede abrir el archivo de proyecto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "El archivo de proyecto {0} está dañado: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "El archivo de proyecto {0} se ha creado con perfiles desconocidos para esta versión de Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recomendado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "Archivo 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "El complemento del Escritor de 3MF está dañado." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "No se puede escribir en el archivo UFP:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "No tiene permiso para escribir el espacio de trabajo aquí." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "El sistema operativo no permite guardar un archivo de proyecto en esta ubicación ni con este nombre de archivo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Error al escribir el archivo 3MF." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Archivo 3MF" +msgid "Ultimaker Format Package" +msgstr "Paquete de formato Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Archivo 3MF del proyecto de Cura" +msgid "G-code File" +msgstr "Archivo GCode" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Archivo AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Copias de seguridad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Se ha producido un error al cargar su copia de seguridad." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Creando copia de seguridad..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Se ha producido un error al crear la copia de seguridad." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Cargando su copia de seguridad..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Su copia de seguridad ha terminado de cargarse." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "La copia de seguridad excede el tamaño máximo de archivo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Se ha producido un error al intentar restaurar su copia de seguridad." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Administrar copias de seguridad" +msgid "Preview" +msgstr "Vista previa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Vista de rayos X" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Procesando capas" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Información" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Se ha producido un error inesperado al realizar el corte o slicing. Le rogamos que informe sobre este error en nuestro rastreador de problemas." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Error en el corte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Informar del error" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Informar de un error en el rastreador de problemas de Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "No se puede segmentar con el material actual, ya que es incompatible con el dispositivo o la configuración seleccionados." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "No se puede segmentar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Los ajustes actuales no permiten la segmentación. Los siguientes ajustes contienen errores: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Los ajustes de algunos modelos no permiten la segmentación. Los siguientes ajustes contienen errores en uno o más modelos: {error_labels}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "No se puede segmentar porque la torre auxiliar o la posición o posiciones de preparación no son válidas." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "No se puede segmentar porque hay objetos asociados al extrusor %s que está deshabilitado." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -923,457 +1157,436 @@ msgstr "" "- Están asignados a un extrusor activado\n" " - No están todos definidos como mallas modificadoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Procesando capas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Información" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Perfil de cura" +msgid "AMF File" +msgstr "Archivo AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Archivo GCode comprimido" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Posprocesamiento" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modificar GCode" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impresión USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimir mediante USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Imprimir mediante USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Conectado mediante USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Se está realizando una impresión con USB, si cierra Cura detendrá la impresión. ¿Desea continuar?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Todavía hay una impresión en curso. Cura no puede iniciar otra impresión a través de USB hasta que se haya completado la impresión anterior." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impresión en curso" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Preparar" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Analizar GCode" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Datos de GCode" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Asegúrese de que el GCode es adecuado para la impresora y para su configuración antes de enviar el archivo a la misma. Es posible que la representación del GCode no sea precisa." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Archivo G" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Imagen JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Imagen JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Imagen PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Imagen BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Imagen GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivelar placa de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Seleccionar actualizaciones" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter no es compatible con el modo texto." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "No se pudo acceder a la información actualizada." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Puede que haya nuevas funciones o correcciones de errores disponibles para {machine_name}. Si no dispone de la última versión disponible, se recomienda actualizar el firmware de la impresora a la versión {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Nuevo firmware de %s estable disponible" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Cómo actualizar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Actualizar firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Archivo GCode comprimido" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter no es compatible con el modo texto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Archivo GCode" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Analizar GCode" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Datos de GCode" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Asegúrese de que el GCode es adecuado para la impresora y para su configuración antes de enviar el archivo a la misma. Es posible que la representación del GCode no sea precisa." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Archivo G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter no es compatible con el modo sin texto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Prepare el Gcode antes de la exportación." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Imagen JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Imagen JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Imagen PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Imagen BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Imagen GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Perfiles de Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Ajustes de la máquina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Supervisar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Ajustes por modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Configurar ajustes por modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Posprocesamiento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modificar GCode" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Preparar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Vista previa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Guardar en unidad extraíble" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Guardar en unidad extraíble {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "¡No hay formatos de archivo disponibles con los que escribir!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Guardando en unidad extraíble {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Guardando" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "No se pudo guardar en {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "No se pudo encontrar un nombre de archivo al tratar de escribir en {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "No se pudo guardar en unidad extraíble {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Guardado en unidad extraíble {0} como {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Archivo guardado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Expulsar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Expulsar dispositivo extraíble {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Expulsado {0}. Ahora puede retirar de forma segura la unidad." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Retirar de forma segura el hardware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Error al expulsar {0}. Es posible que otro programa esté utilizando la unidad." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Unidad extraíble" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Cura no muestra correctamente las capas si la impresión de alambre está habilitada." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Vista de simulación" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "No se muestra nada porque primero hay que cortar." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "No hay capas para mostrar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "No volver a mostrar este mensaje" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Vista de capas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "No se puede leer el archivo de datos de ejemplo." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Las áreas resaltadas indican que faltan superficies o son inusuales. Corrija los errores en el modelo y vuelva a abrirlo en Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Errores de modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Vista de sólidos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Bloqueador de soporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Cree un volumen que no imprima los soportes." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "¿Desea sincronizar el material y los paquetes de software con su cuenta?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Se han detectado cambios desde su cuenta de Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Sincronizando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Rechazar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Estoy de acuerdo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Acuerdo de licencia de complemento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Rechazar y eliminar de la cuenta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Tiene que salir y reiniciar {} para que los cambios surtan efecto." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Sincronizando..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Se han detectado cambios desde su cuenta de Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "¿Desea sincronizar el material y los paquetes de software con su cuenta?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Sincronizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Rechazar y eliminar de la cuenta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "Error al descargar los complementos {}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Rechazar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Estoy de acuerdo" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Acuerdo de licencia de complemento" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter no es compatible con el modo sin texto." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Prepare el Gcode antes de la exportación." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Cura no muestra correctamente las capas si la impresión de alambre está habilitada." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Vista de simulación" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "No se muestra nada porque primero hay que cortar." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "No hay capas para mostrar" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "No volver a mostrar este mensaje" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Vista de capas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF binario" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Imprimir a través de la red" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF incrustado JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Imprime a través de la red" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Conectado a través de la red" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange comprimido" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "mañana" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Paquete de formato Ultimaker" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "hoy" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "No se puede escribir en el archivo UFP:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Nivelar placa de impresión" +msgid "Connect via Network" +msgstr "Conectar a través de la red" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Espere hasta que se envíe el trabajo actual." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Error de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "El trabajo de impresión se ha enviado correctamente a la impresora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Fecha de envío" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Está intentando conectarse a una impresora que no está ejecutando Ultimaker Connect. Actualice la impresora al firmware más reciente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Actualice su impresora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "La cola de trabajos de impresión está llena. La impresora no puede aceptar trabajos nuevos." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Cola llena" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Enviando trabajo de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Cargando el trabajo de impresión a la impresora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura ha detectado perfiles de material que aún no estaban instalados en la impresora host del grupo {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Enviando materiales a la impresora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "No se han podido cargar los datos en la impresora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Error de red" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Está intentando conectarse a {0} pero ese no es el host de un grupo. Puede visitar la página web para configurarlo como host de grupo." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "No es un host de grupo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Seleccionar actualizaciones" +msgid "Configure group" +msgstr "Configurar grupo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Su impresora {printer_name} podría estar conectada a través de la nube.\n" +" Administre su cola de impresión y supervise las impresiones desde cualquier lugar conectando su impresora a Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "¿Está preparado para la impresión en la nube?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Empezar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Más información" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Imprimir mediante cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Imprimir mediante cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Conectado mediante cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Supervisar la impresión" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Haga un seguimiento de la impresión en Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Código de error desconocido al cargar el trabajo de impresión: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Se ha detectado una nueva impresora en su cuenta de Ultimaker" msgstr[1] "Se han detectado nuevas impresoras en su cuenta de Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Añadiendo la impresora {name} ({model}) de su cuenta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1381,70 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... y {0} más" msgstr[1] "... y {0} más" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Impresoras añadidas desde Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "La conexión a la nube no está disponible para una impresora" msgstr[1] "La conexión a la nube no está disponible para algunas impresoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Esta impresora no está vinculada a Digital Factory:" msgstr[1] "Estas impresoras no están vinculadas a Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Para establecer una conexión, visite {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Mantener las configuraciones de la impresora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Eliminar impresoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} se eliminará hasta la próxima sincronización de la cuenta." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Para eliminar {printer_name} permanentemente, visite {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "¿Seguro que desea eliminar {printer_name} temporalmente?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "¿Eliminar impresoras?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1460,753 +1674,1645 @@ msgstr[1] "" "Está a punto de eliminar {0} impresoras de Cura. Esta acción no se puede deshacer.\n" "¿Seguro que desea continuar?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" "Are you sure you want to continue?" msgstr "Está a punto de eliminar todas las impresoras de Cura. Esta acción no se puede deshacer.¿Seguro que desea continuar?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF binario" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF incrustado JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange comprimido" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Las áreas resaltadas indican que faltan superficies o son inusuales. Corrija los errores en el modelo y vuelva a abrirlo en Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Errores de modelo" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Vista de sólidos" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Error al escribir el archivo 3MF." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "El complemento del Escritor de 3MF está dañado." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "No tiene permiso para escribir el espacio de trabajo aquí." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "El sistema operativo no permite guardar un archivo de proyecto en esta ubicación ni con este nombre de archivo." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Archivo 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Archivo 3MF del proyecto de Cura" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Supervisar" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Asistente del modelo 3D" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " msgstr "" -"Su impresora {printer_name} podría estar conectada a través de la nube.\n" -" Administre su cola de impresión y supervise las impresiones desde cualquier lugar conectando su impresora a Digital Factory" +"

    Es posible que uno o más modelos 3D no se impriman correctamente debido al tamaño del modelo y la configuración del material:

    \n" +"

    {model_names}

    \n" +"

    Obtenga más información sobre cómo garantizar la mejor calidad y fiabilidad de impresión posible.

    \n" +"

    Ver guía de impresión de calidad

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "¿Está preparado para la impresión en la nube?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Empezar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Más información" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Está intentando conectarse a una impresora que no está ejecutando Ultimaker Connect. Actualice la impresora al firmware más reciente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Actualice su impresora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura ha detectado perfiles de material que aún no estaban instalados en la impresora host del grupo {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Enviando materiales a la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Está intentando conectarse a {0} pero ese no es el host de un grupo. Puede visitar la página web para configurarlo como host de grupo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "No es un host de grupo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurar grupo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Espere hasta que se envíe el trabajo actual." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Error de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "No se han podido cargar los datos en la impresora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Error de red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Enviando trabajo de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Cargando el trabajo de impresión a la impresora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "La cola de trabajos de impresión está llena. La impresora no puede aceptar trabajos nuevos." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Cola llena" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "El trabajo de impresión se ha enviado correctamente a la impresora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Fecha de envío" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Imprimir a través de la red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Imprime a través de la red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Conectado a través de la red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Conectar a través de la red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "mañana" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "hoy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impresión USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimir mediante USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimir mediante USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Conectado mediante USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Se está realizando una impresión con USB, si cierra Cura detendrá la impresión. ¿Desea continuar?" +msgid "Mesh Type" +msgstr "Tipo de malla" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Todavía hay una impresión en curso. Cura no puede iniciar otra impresión a través de USB hasta que se haya completado la impresión anterior." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Modelo normal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impresión en curso" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Imprimir como soporte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Modificar los ajustes de las superposiciones" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "No es compatible con superposiciones" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Archivo X3D" +msgid "Infill mesh only" +msgstr "Solo malla de relleno" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Vista de rayos X" +msgid "Cutting mesh" +msgstr "Cortar malla" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Algunos elementos pueden causar problemas durante la impresión. Haga clic para ver consejos sobre cómo ajustarlos." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Seleccionar ajustes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Seleccionar ajustes o personalizar este modelo" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrar..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mostrar todo" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Copias de seguridad de Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Versión de Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Máquinas" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materiales" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Perfiles" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Complementos" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "¿Desea obtener más información?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Realizar copia de seguridad ahora" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Copia de seguridad automática" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Crea una copia de seguridad de forma automática cada día que inicia Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Restaurar" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Eliminar copia de seguridad" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "¿Seguro que desea eliminar esta copia de seguridad? Esta acción no se puede deshacer." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurar copia de seguridad" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Deberá reiniciar Cura para restaurar su copia de seguridad. ¿Desea cerrar Cura ahora?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Realice una copia de seguridad y sincronice sus ajustes de Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Iniciar sesión" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Mis copias de seguridad" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Actualmente no posee ninguna copia de seguridad. Utilice el botón de Realizar copia de seguridad ahora para crear una." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Durante la fase de vista previa, solo se mostrarán 5 copias de seguridad. Elimine una copia de seguridad para ver copias de seguridad antiguas." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Ajustes de la impresora" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (anchura)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (profundidad)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (altura)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma de la placa de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origen en el centro" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Plataforma calentada" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volumen de impresión calentado" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Tipo de GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Ajustes del cabezal de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X mín" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y mín" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X máx" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y máx" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altura del puente" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Número de extrusores" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplicar compensaciones del extrusor a GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Iniciar GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Finalizar GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Ajustes de la tobera" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Tamaño de la tobera" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Diámetro del material compatible" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Desplazamiento de la tobera sobre el eje X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Desplazamiento de la tobera sobre el eje Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Número de ventilador de enfriamiento" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "GCode inicial del extrusor" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "GCode final del extrusor" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Impresora" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Actualizar firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "El firmware es la parte del software que se ejecuta directamente en la impresora 3D. Este firmware controla los motores de pasos, regula la temperatura y, finalmente, hace que funcione la impresora." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "El firmware que se envía con las nuevas impresoras funciona, pero las nuevas versiones suelen tener más funciones y mejoras." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Actualización de firmware automática" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Cargar firmware personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "No se puede actualizar el firmware porque no hay conexión con la impresora." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "No se puede actualizar el firmware porque la conexión con la impresora no permite actualizaciones de firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Seleccionar firmware personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Actualización del firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Actualización del firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Actualización del firmware completada." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Se ha producido un error al actualizar el firmware debido a un error desconocido." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Se ha producido un error al actualizar el firmware debido a un error de comunicación." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Se ha producido un error al actualizar el firmware debido a un error de entrada/salida." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Se ha producido un error al actualizar el firmware porque falta el firmware." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Abrir proyecto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Actualizar existente" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Crear nuevo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Resumen: proyecto de Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Ajustes de la impresora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "¿Cómo debería solucionarse el conflicto en la máquina?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupo de impresoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Ajustes del perfil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "¿Cómo debería solucionarse el conflicto en el perfil?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nombre" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "No está en el perfil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 sobrescrito" msgstr[1] "%1 sobrescritos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivado de" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 sobrescrito" msgstr[1] "%1, %2 sobrescritos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Ajustes del material" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "¿Cómo debería solucionarse el conflicto en el material?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilidad de los ajustes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Ajustes visibles:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 de un total de %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Si carga un proyecto, se borrarán todos los modelos de la placa de impresión." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Abrir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "¿Desea obtener más información?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Realizar copia de seguridad ahora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Copia de seguridad automática" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Crea una copia de seguridad de forma automática cada día que inicia Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Eliminar copia de seguridad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "¿Seguro que desea eliminar esta copia de seguridad? Esta acción no se puede deshacer." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurar copia de seguridad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Deberá reiniciar Cura para restaurar su copia de seguridad. ¿Desea cerrar Cura ahora?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versión de Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Máquinas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiales" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Perfiles" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Complementos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Copias de seguridad de Cura" +msgid "Post Processing Plugin" +msgstr "Complemento de posprocesamiento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Mis copias de seguridad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Actualmente no posee ninguna copia de seguridad. Utilice el botón de Realizar copia de seguridad ahora para crear una." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Durante la fase de vista previa, solo se mostrarán 5 copias de seguridad. Elimine una copia de seguridad para ver copias de seguridad antiguas." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Realice una copia de seguridad y sincronice sus ajustes de Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Iniciar sesión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Actualizar firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "El firmware es la parte del software que se ejecuta directamente en la impresora 3D. Este firmware controla los motores de pasos, regula la temperatura y, finalmente, hace que funcione la impresora." +msgid "Post Processing Scripts" +msgstr "Secuencias de comandos de posprocesamiento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Añadir secuencia de comando" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "El firmware que se envía con las nuevas impresoras funciona, pero las nuevas versiones suelen tener más funciones y mejoras." +msgid "Settings" +msgstr "Ajustes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Actualización de firmware automática" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Cambiar las secuencias de comandos de posprocesamiento." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Cargar firmware personalizado" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "La siguiente secuencia de comandos está activa:" +msgstr[1] "Las siguientes secuencias de comandos están activas:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "No se puede actualizar el firmware porque no hay conexión con la impresora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "No se puede actualizar el firmware porque la conexión con la impresora no permite actualizaciones de firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Seleccionar firmware personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Actualización del firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Actualización del firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Actualización del firmware completada." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Se ha producido un error al actualizar el firmware debido a un error desconocido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Se ha producido un error al actualizar el firmware debido a un error de comunicación." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Se ha producido un error al actualizar el firmware debido a un error de entrada/salida." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Se ha producido un error al actualizar el firmware porque falta el firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Convertir imagen..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "La distancia máxima de cada píxel desde la \"Base\"." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Altura (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "La altura de la base desde la placa de impresión en milímetros." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Base (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "La anchura en milímetros en la placa de impresión." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Anchura (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "La profundidad en milímetros en la placa de impresión" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Profundidad (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Para las litofanías, los píxeles oscuros deben coincidir con ubicaciones más gruesas para bloquear la entrada de más luz. En los mapas de altura, los píxeles más claros se corresponden con un terreno más alto, por lo que dichos píxeles deben coincidir con ubicaciones más gruesas en el modelo 3D generado." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Cuanto más oscuro más alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Cuanto más claro más alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Para las litofanías hay disponible un modelo logarítmico simple para la translucidez. En los mapas de altura, los valores de los píxeles corresponden a las alturas linealmente." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Lineal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Translucidez" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "El porcentaje de luz que penetra en una impresión con un grosor de 1 milímetro. Bajar este valor aumenta el contraste en las regiones oscuras y disminuye el contraste en las regiones claras de la imagen." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "Transmitancia de 1 mm (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "La cantidad de suavizado que se aplica a la imagen." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Suavizado" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "Aceptar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Seleccione cualquier actualización de Ultimaker Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Placa de impresión caliente (kit oficial o construida por usted mismo)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Nivelación de la placa de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Ahora puede ajustar la placa de impresión para asegurarse de que sus impresiones salgan muy bien. Al hacer clic en 'Mover a la siguiente posición', la tobera se trasladará a las diferentes posiciones que se pueden ajustar." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Para cada posición: inserte una hoja de papel debajo de la tobera y ajuste la altura de la placa de impresión. La altura de la placa de impresión es correcta cuando el papel queda ligeramente sujeto por la punta de la tobera." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Iniciar nivelación de la placa de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Mover a la siguiente posición" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Más información sobre la recopilación de datos anónimos" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario. A continuación, hay un ejemplo de todos los datos que se comparten:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "No deseo enviar datos anónimos" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Permitir el envío de datos anónimos" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Marketplace" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Tendrá que reiniciar Cura para que los cambios de los paquetes surtan efecto." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Salir de %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Instalar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Instalado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Prémium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ir a Web Marketplace" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Buscar materiales" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Compatibilidad" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Máquina" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Placa de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Soporte" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Calidad" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Especificaciones técnicas" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Especificaciones de seguridad" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Directrices de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Sitio web" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Inicie sesión para realizar la instalación o la actualización" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Comprar bobinas de material" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Actualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Actualizando" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Actualizado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Atrás" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Impresora" +msgid "Plugins" +msgstr "Complementos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Ajustes de la tobera" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiales" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Instalado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Tamaño de la tobera" +msgid "Will install upon restarting" +msgstr "Se instalará después de reiniciar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Inicie sesión para realizar la actualización" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Degradar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Desinstalar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Contribuciones de la comunidad" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diámetro del material compatible" +msgid "Community Plugins" +msgstr "Complementos de la comunidad" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Desplazamiento de la tobera sobre el eje X" +msgid "Generic Materials" +msgstr "Materiales genéricos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Buscando paquetes..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Desplazamiento de la tobera sobre el eje Y" +msgid "Website" +msgstr "Sitio web" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Número de ventilador de enfriamiento" +msgid "Email" +msgstr "Correo electrónico" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "GCode inicial del extrusor" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Inicie sesión para obtener complementos y materiales verificados para Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "GCode final del extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Ajustes de la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (anchura)" +msgid "Version" +msgstr "Versión" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (profundidad)" +msgid "Last updated" +msgstr "Última actualización" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (altura)" +msgid "Brand" +msgstr "Marca" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma de la placa de impresión" +msgid "Downloads" +msgstr "Descargas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Complementos instalados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "No se ha instalado ningún complemento." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiales instalados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "No se ha instalado ningún material." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Complementos agrupados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Materiales agrupados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "No se ha podido conectar con la base de datos del Paquete Cura. Compruebe la conexión." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Origen en el centro" +msgid "You need to accept the license to install the package" +msgstr "Tiene que aceptar la licencia para instalar el paquete" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Cambios desde su cuenta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Descartar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Siguiente" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Plataforma calentada" +msgid "The following packages will be added:" +msgstr "Se añadirán los siguientes paquetes:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Volumen de impresión calentado" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Los siguientes paquetes no se pueden instalar debido a una versión no compatible de Cura:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Confirmar desinstalación" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Va a desinstalar materiales o perfiles que todavía están en uso. Si confirma la desinstalación, los siguientes materiales o perfiles volverán a sus valores predeterminados." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materiales" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Perfiles" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Confirmar" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Tipo de GCode" +msgid "Color scheme" +msgstr "Combinación de colores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Ajustes del cabezal de impresión" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Color del material" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Tipo de línea" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Velocidad" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Grosor de la capa" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Ancho de línea" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Flujo" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X mín" +msgid "Compatibility Mode" +msgstr "Modo de compatibilidad" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y mín" +msgid "Travels" +msgstr "Desplazamientos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X máx" +msgid "Helpers" +msgstr "Asistentes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y máx" +msgid "Shell" +msgstr "Perímetro" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Altura del puente" +msgid "Infill" +msgstr "Relleno" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Número de extrusores" +msgid "Starts" +msgstr "Inicios" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplicar compensaciones del extrusor a GCode" +msgid "Only Show Top Layers" +msgstr "Mostrar solo capas superiores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Iniciar GCode" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Mostrar cinco capas detalladas en la parte superior" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Finalizar GCode" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Superior o inferior" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Pared interior" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "mín" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "máx" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Administrar impresora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Vidrio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Actualice el firmware de la impresora para gestionar la cola de forma remota." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Las transmisiones de la cámara web para impresoras en la nube no se pueden ver en Ultimaker Cura. Haga clic en \"Administrar impresora\" para ir a Ultimaker Digital Factory y ver esta cámara web." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Cargando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "No disponible" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "No se puede conectar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Sin actividad" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Preparando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Imprimiendo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Sin título" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anónimo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Debe cambiar la configuración" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Detalles" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Impresora no disponible" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Primera disponible" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "En cola" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Gestionar en el navegador" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "No hay trabajos de impresión en la cola. Segmentar y enviar un trabajo para añadir uno." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Trabajos de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Tiempo de impresión total" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Esperando" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimir a través de la red" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimir" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Selección de la impresora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Cambios de configuración" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Anular" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Es necesario realizar el siguiente cambio de configuración en la impresora asignada %1:" +msgstr[1] "Es necesario realizar los siguientes cambios de configuración en la impresora asignada %1:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Se ha asignado la impresora %1, pero el trabajo tiene una configuración de material desconocido." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Cambiar material %1, de %2 a %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Cargar %3 como material %1 (no se puede anular)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Cambiar print core %1, de %2 a %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Cambiar la placa de impresión a %1 (no se puede anular)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Al sobrescribir la configuración se usarán los ajustes especificados con la configuración de impresora existente. Esto podría provocar un fallo en la impresión." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Aluminio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Terminado" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Cancelando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Cancelado" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Pausando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "En pausa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Reanudando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Acción requerida" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Termina el %1 a las %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Conectar con la impresora en red" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Para imprimir directamente a través de la red, asegúrese de que la impresora está conectada a la red mediante un cable de red o conéctela a la red wifi. Si no conecta Cura con la impresora, también puede utilizar una unidad USB para transferir archivos GCode a la impresora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Seleccione la impresora en la lista siguiente:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Editar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Eliminar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Actualizar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Si la impresora no aparece en la lista, lea la guía de solución de problemas de impresión y red" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Tipo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Versión de firmware" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Dirección" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Esta impresora no está configurada para alojar un grupo de impresoras." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Esta impresora aloja un grupo de %1 impresoras." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "La impresora todavía no ha respondido en esta dirección." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Conectar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Dirección IP no válida" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Introduzca una dirección IP válida." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Dirección de la impresora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Introduzca la dirección IP de la impresora en la red." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Mover al principio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Borrar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Reanudar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Pausando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Reanudando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pausar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Cancelando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "¿Seguro que desea mover %1 al principio de la cola?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Mover trabajo de impresión al principio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "¿Seguro que desea borrar %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Borrar trabajo de impresión" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "¿Seguro que desea cancelar %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Cancela la impresión" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2219,1448 +3325,435 @@ msgstr "" "- Compruebe que la impresora está conectada a la red.\n" "- Compruebe que ha iniciado sesión para ver impresoras conectadas a la nube." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Conecte su impresora a la red." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Ver manuales de usuario en línea" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Para supervisar la copia impresa desde Cura, conecte la impresora." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo de malla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modelo normal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimir como soporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificar los ajustes de las superposiciones" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "No es compatible con superposiciones" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Solo malla de relleno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Cortar malla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Seleccionar ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Seleccionar ajustes o personalizar este modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mostrar todo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Complemento de posprocesamiento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Secuencias de comandos de posprocesamiento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Añadir secuencia de comando" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Cambiar las secuencias de comandos de posprocesamiento." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Algunos elementos pueden causar problemas durante la impresión. Haga clic para ver consejos sobre cómo ajustarlos." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "La siguiente secuencia de comandos está activa:" -msgstr[1] "Las siguientes secuencias de comandos están activas:" +msgid "3D View" +msgstr "Vista en 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Combinación de colores" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Color del material" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Tipo de línea" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Velocidad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Grosor de la capa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Ancho de línea" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Flujo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Modo de compatibilidad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Desplazamientos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Asistentes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Perímetro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Relleno" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Inicios" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Mostrar solo capas superiores" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Mostrar cinco capas detalladas en la parte superior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Superior o inferior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Pared interior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "mín" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "máx" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Más información sobre la recopilación de datos anónimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario. A continuación, hay un ejemplo de todos los datos que se comparten:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "No deseo enviar datos anónimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Permitir el envío de datos anónimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Atrás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilidad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Máquina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Placa de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Soporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Calidad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Especificaciones técnicas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Especificaciones de seguridad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Directrices de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Sitio web" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Inicie sesión para realizar la instalación o la actualización" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Comprar bobinas de material" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Actualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Actualizando" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Actualizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Prémium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ir a Web Marketplace" +msgid "Front View" +msgstr "Vista frontal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Vista superior" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Vista del lado izquierdo" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Vista del lado derecho" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Buscar materiales" +msgid "Object list" +msgstr "Lista de objetos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Tendrá que reiniciar Cura para que los cambios de los paquetes surtan efecto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Salir de %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Complementos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiales" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Se instalará después de reiniciar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Inicie sesión para realizar la actualización" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Degradar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Desinstalar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instalar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Cambios desde su cuenta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Descartar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Siguiente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Se añadirán los siguientes paquetes:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Los siguientes paquetes no se pueden instalar debido a una versión no compatible de Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirmar desinstalación" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Va a desinstalar materiales o perfiles que todavía están en uso. Si confirma la desinstalación, los siguientes materiales o perfiles volverán a sus valores predeterminados." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiales" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Perfiles" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Tiene que aceptar la licencia para instalar el paquete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Sitio web" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Correo electrónico" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Última actualización" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marca" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Descargas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contribuciones de la comunidad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Complementos de la comunidad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiales genéricos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "No se ha podido conectar con la base de datos del Paquete Cura. Compruebe la conexión." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Complementos instalados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "No se ha instalado ningún complemento." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiales instalados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "No se ha instalado ningún material." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Complementos agrupados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiales agrupados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Buscando paquetes..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Inicie sesión para obtener complementos y materiales verificados para Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Marketplace" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivelación de la placa de impresión" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Archivo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Ahora puede ajustar la placa de impresión para asegurarse de que sus impresiones salgan muy bien. Al hacer clic en 'Mover a la siguiente posición', la tobera se trasladará a las diferentes posiciones que se pueden ajustar." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Edición" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Para cada posición: inserte una hoja de papel debajo de la tobera y ajuste la altura de la placa de impresión. La altura de la placa de impresión es correcta cuando el papel queda ligeramente sujeto por la punta de la tobera." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Ver" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Iniciar nivelación de la placa de impresión" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "A&justes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Mover a la siguiente posición" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensiones" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Seleccione cualquier actualización de Ultimaker Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Pre&ferencias" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Placa de impresión caliente (kit oficial o construida por usted mismo)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "A&yuda" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Conectar con la impresora en red" +msgid "New project" +msgstr "Nuevo proyecto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Para imprimir directamente a través de la red, asegúrese de que la impresora está conectada a la red mediante un cable de red o conéctela a la red wifi. Si no conecta Cura con la impresora, también puede utilizar una unidad USB para transferir archivos GCode a la impresora." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "¿Está seguro de que desea iniciar un nuevo proyecto? Esto borrará la placa de impresión y cualquier ajuste no guardado." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Seleccione la impresora en la lista siguiente:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Editar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Eliminar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Actualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Si la impresora no aparece en la lista, lea la guía de solución de problemas de impresión y red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versión de firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Dirección" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Esta impresora no está configurada para alojar un grupo de impresoras." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Esta impresora aloja un grupo de %1 impresoras." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "La impresora todavía no ha respondido en esta dirección." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Conectar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Dirección IP no válida" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Introduzca una dirección IP válida." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Dirección de la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Introduzca la dirección IP de la impresora en la red." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Cambios de configuración" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Anular" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Es necesario realizar el siguiente cambio de configuración en la impresora asignada %1:" -msgstr[1] "Es necesario realizar los siguientes cambios de configuración en la impresora asignada %1:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "Se ha asignado la impresora %1, pero el trabajo tiene una configuración de material desconocido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Cambiar material %1, de %2 a %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Cargar %3 como material %1 (no se puede anular)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Cambiar print core %1, de %2 a %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Cambiar la placa de impresión a %1 (no se puede anular)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Al sobrescribir la configuración se usarán los ajustes especificados con la configuración de impresora existente. Esto podría provocar un fallo en la impresión." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Vidrio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Mover al principio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Borrar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Reanudar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pausando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Reanudando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Cancelando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Cancelar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "¿Seguro que desea mover %1 al principio de la cola?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Mover trabajo de impresión al principio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "¿Seguro que desea borrar %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Borrar trabajo de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "¿Seguro que desea cancelar %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Cancela la impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Administrar impresora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Actualice el firmware de la impresora para gestionar la cola de forma remota." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Las transmisiones de la cámara web para impresoras en la nube no se pueden ver en Ultimaker Cura. Haga clic en \"Administrar impresora\" para ir a Ultimaker Digital Factory y ver esta cámara web." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Cargando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "No disponible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "No se puede conectar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Sin actividad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Preparando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Imprimiendo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sin título" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anónimo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Debe cambiar la configuración" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detalles" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Impresora no disponible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primera disponible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Cancelado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Terminado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Cancelando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pausando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "En pausa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Reanudando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Acción requerida" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Termina el %1 a las %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "En cola" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gestionar en el navegador" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "No hay trabajos de impresión en la cola. Segmentar y enviar un trabajo para añadir uno." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Trabajos de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tiempo de impresión total" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Esperando" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimir a través de la red" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Selección de la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Iniciar sesión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Inicie sesión en la plataforma Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Añada perfiles de materiales y complementos del Marketplace \n" -"- Realice copias de seguridad y sincronice los perfiles y complementos de sus materiales \n" -"- Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Cree una cuenta gratuita de Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Comprobando..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Cuenta sincronizada" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Se ha producido un error..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Instalar actualizaciones pendientes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Buscar actualizaciones de la cuenta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Última actualización: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Cuenta de Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Cerrar sesión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Ningún cálculo de tiempo disponible" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Ningún cálculo de costes disponible" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Vista previa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimación de tiempos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimación de material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Segmentando..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "No se puede segmentar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Procesando" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Segmentación" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Iniciar el proceso de segmentación" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Cancelar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mostrar Guía de resolución de problemas en línea" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Alternar pantalla completa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Salir de modo de pantalla completa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "Des&hacer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Rehacer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Salir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Vista en 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Vista frontal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Vista superior" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Vista inferior" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Vista del lado izquierdo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Vista del lado derecho" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configurar Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Agregar impresora..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Adm&inistrar impresoras ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Administrar materiales..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Añadir más materiales de Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Actualizar perfil con ajustes o sobrescrituras actuales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Descartar cambios actuales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Crear perfil a partir de ajustes o sobrescrituras actuales..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Administrar perfiles..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Mostrar &documentación en línea" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Informar de un &error" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Novedades" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Acerca de..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Eliminar selección" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centrar selección" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Multiplicar selección" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Eliminar modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ce&ntrar modelo en plataforma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "A&grupar modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Desagrupar modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Co&mbinar modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Multiplicar modelo..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Seleccionar todos los modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Borrar placa de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Recargar todos los modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Organizar todos los modelos en todas las placas de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Organizar todos los modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Organizar selección" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Restablecer las posiciones de todos los modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Restablecer las transformaciones de todos los modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Abrir archivo(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nuevo proyecto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Mostrar carpeta de configuración" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configurar visibilidad de los ajustes..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Mis impresoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Supervise las impresoras de Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Cree proyectos de impresión en Digital Library." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Trabajos de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Supervise los trabajos de impresión y vuelva a imprimir desde su historial de impresión." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Amplíe Ultimaker Cura con complementos y perfiles de materiales." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Conviértase en un experto en impresión 3D con el aprendizaje electrónico de Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Soporte técnico de Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Aprenda cómo empezar a utilizar Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Haga una pregunta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Consulte en la Comunidad Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Informar del error" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Informe a los desarrolladores de que algo no funciona bien." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Visite el sitio web de Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Este paquete se instalará después de reiniciar." +msgid "Time estimation" +msgstr "Estimación de tiempos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "General" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Estimación de material" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ajustes" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1 m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Impresoras" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1 g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Perfiles" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Ningún cálculo de tiempo disponible" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Cerrando %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Ningún cálculo de costes disponible" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "¿Seguro que desea salir de %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Vista previa" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Abrir archivo(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Agregar una impresora" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instalar paquete" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Agregar una impresora en red" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Abrir archivo(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Agregar una impresora fuera de red" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Hemos encontrado uno o más archivos de GCode entre los archivos que ha seleccionado. Solo puede abrir los archivos GCode de uno en uno. Si desea abrir un archivo GCode, seleccione solo uno." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Añadir una impresora a la nube" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Agregar impresora" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Esperando la respuesta de la nube" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "¿No se han encontrado impresoras en su cuenta?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Las siguientes impresoras de su cuenta se han añadido en Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Añadir impresora manualmente" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Agregar impresora por dirección IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Introduzca la dirección IP de su impresora." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Agregar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "No se ha podido conectar al dispositivo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "¿No puede conectarse a la impresora Ultimaker?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "La impresora todavía no ha respondido en esta dirección." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "No se puede agregar la impresora porque es desconocida o no aloja un grupo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Atrás" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Conectar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Acuerdo de usuario" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Rechazar y cerrar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Le damos la bienvenida a Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Siga estos pasos para configurar\n" +"Ultimaker Cura. Solo le llevará unos minutos." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Empezar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Inicie sesión en la plataforma Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Añada ajustes de material y complementos desde Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Realice copias de seguridad y sincronice los ajustes y complementos de sus materiales" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Omitir" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Cree una cuenta gratuita de Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Fabricante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Autor del perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nombre de la impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Asigne un nombre a su impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "No se ha encontrado ninguna impresora en su red." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Actualizar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Agregar impresora por IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Añadir impresora a la nube" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Solución de problemas" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Ayúdenos a mejorar Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario, entre otros:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Tipos de máquina" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Uso de material" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Número de segmentos" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Ajustes de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Los datos recopilados por Ultimaker Cura no contendrán información personal." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Más información" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Novedades" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Vacío" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Notas de la versión" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "Acerca de %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "versión: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Solución completa para la impresión 3D de filamento fundido." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3669,182 +3762,204 @@ msgstr "" "Ultimaker B.V. ha desarrollado Cura en cooperación con la comunidad.\n" "Cura se enorgullece de utilizar los siguientes proyectos de código abierto:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Interfaz gráfica de usuario (GUI)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Entorno de la aplicación" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Generador de GCode" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Biblioteca de comunicación entre procesos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Lenguaje de programación" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "Entorno de la GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Enlaces del entorno de la GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Biblioteca de enlaces C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Formato de intercambio de datos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Biblioteca de apoyo para cálculos científicos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Biblioteca de apoyo para cálculos más rápidos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Biblioteca de apoyo para gestionar archivos STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Biblioteca de compatibilidad para trabajar con objetos planos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Biblioteca de compatibilidad para trabajar con mallas triangulares" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Biblioteca de compatibilidad para trabajar con archivos 3MF" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Biblioteca de compatibilidad para metadatos y transmisión de archivos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Biblioteca de comunicación en serie" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Biblioteca de detección para Zeroconf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Biblioteca de recorte de polígonos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Comprobador de tipo estático para Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Certificados de raíz para validar la fiabilidad del SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Biblioteca de seguimiento de errores de Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Biblioteca de empaquetado de polígonos, desarrollada por Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Enlaces de Python para libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Biblioteca de soporte para el acceso al llavero del sistema" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Extensiones Python para Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Fuente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Iconos SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Implementación de la aplicación de distribución múltiple de Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Abrir archivo de proyecto" +msgid "Open file(s)" +msgstr "Abrir archivo(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Este es un archivo de proyecto Cura. ¿Le gustaría abrirlo como un proyecto o importar sus modelos?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Hemos encontrado uno o más archivos del proyecto entre los archivos que ha seleccionado. Solo puede abrir los archivos de proyecto de uno en uno. Le recomendamos que solo importe modelos de esos archivos. ¿Desea continuar?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Recordar mi selección" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Abrir como proyecto" +msgid "Import all as models" +msgstr "Importar todos como modelos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Guardar proyecto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrusor %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 y material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "No mostrar resumen de proyecto al guardar de nuevo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importar modelos" +msgid "Save" +msgstr "Guardar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Descartar o guardar cambios" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3855,1233 +3970,144 @@ msgstr "" "¿Le gustaría mantener estos ajustes cambiados después de cambiar de perfil?\n" "También puede descartar los cambios para cargar los valores predeterminados de'%1'." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Ajustes del perfil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Cambios actuales" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Preguntar siempre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Descartar y no volver a preguntar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Guardar y no volver a preguntar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Descartar los cambios" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Mantener los cambios" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Abrir archivo de proyecto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Hemos encontrado uno o más archivos del proyecto entre los archivos que ha seleccionado. Solo puede abrir los archivos de proyecto de uno en uno. Le recomendamos que solo importe modelos de esos archivos. ¿Desea continuar?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Este es un archivo de proyecto Cura. ¿Le gustaría abrirlo como un proyecto o importar sus modelos?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Recordar mi selección" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importar todos como modelos" +msgid "Open as project" +msgstr "Abrir como proyecto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Guardar proyecto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrusor %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 y material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "No mostrar resumen de proyecto al guardar de nuevo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Guardar" +msgid "Import models" +msgstr "Importar modelos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Imprimir modelo seleccionado con %1" -msgstr[1] "Imprimir modelos seleccionados con %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sin título" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Archivo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Edición" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Ver" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "A&justes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensiones" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Pre&ferencias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "A&yuda" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Nuevo proyecto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "¿Está seguro de que desea iniciar un nuevo proyecto? Esto borrará la placa de impresión y cualquier ajuste no guardado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configuraciones" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Esta configuración no se encuentra disponible porque %1 es un perfil desconocido. Visite %2 para descargar el perfil de materiales correcto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Cargando configuraciones disponibles desde la impresora..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Las configuraciones no se encuentran disponibles porque la impresora no está conectada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Seleccionar configuración" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Configuraciones" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Habilitado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Utilice pegamento con esta combinación de materiales para lograr una mejor adhesión." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Imprimir modelo seleccionado con:" -msgstr[1] "Imprimir modelos seleccionados con:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Multiplicar modelo seleccionado" -msgstr[1] "Multiplicar modelos seleccionados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Número de copias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Guardar proyecto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exportar selección..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoritos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genérico" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Abrir archivo(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Impresoras de red habilitadas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Impresoras locales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Abrir &reciente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Guardar proyecto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Definir como extrusor activo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Habilitar extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Deshabilitar extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Ajustes visibles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Contraer todas las categorías" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gestionar visibilidad de los ajustes..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Posición de la cámara" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Vista de cámara" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspectiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortográfica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "P&laca de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "No está conectado a ninguna impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "La impresora no acepta comandos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "En mantenimiento. Compruebe la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Se ha perdido la conexión con la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Imprimiendo..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "En pausa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Preparando..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Retire la impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Cancelar impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "¿Está seguro de que desea cancelar la impresión?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Se imprime como soporte." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Se han modificado otros modelos que se superponen con este modelo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Se ha modificado la superposición del relleno con este modelo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "No se admiten superposiciones con este modelo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "%1 sobrescrito." -msgstr[1] "%1 sobrescritos." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista de objetos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interfaz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Moneda:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Tendrá que reiniciar la aplicación para que estos cambios tengan efecto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Segmentar automáticamente al cambiar los ajustes." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Segmentar automáticamente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamiento de la ventanilla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Resaltar en rojo las áreas del modelo sin soporte. Sin soporte, estas áreas no se imprimirán correctamente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Mostrar voladizos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Resalta las superficies que faltan o son extrañas del modelo usando señales de advertencia. A las trayectorias de herramientas les faltarán a menudo partes de la geometría prevista." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Mostrar errores de modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Mueve la cámara de manera que el modelo se encuentre en el centro de la vista cuando se selecciona un modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centrar cámara cuando se selecciona elemento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "¿Se debería invertir el comportamiento predeterminado del zoom de cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Invertir la dirección del zoom de la cámara." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "¿Debería moverse el zoom en la dirección del ratón?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Hacer zoom en la dirección del ratón no es compatible con la perspectiva ortográfica." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Hacer zoom en la dirección del ratón" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "¿Deben moverse los modelos en la plataforma de modo que no se crucen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Asegúrese de que los modelos están separados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "¿Deben moverse los modelos del área de impresión de modo que no toquen la placa de impresión?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Arrastrar modelos a la placa de impresión de forma automática" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Se muestra el mensaje de advertencia en el lector de GCode." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Mensaje de advertencia en el lector de GCode" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "¿Debe forzarse el modo de compatibilidad de la capa?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forzar modo de compatibilidad de la vista de capas (necesario reiniciar)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "¿Debería abrirse Cura en el lugar donde se cerró?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Restaurar la posición de la ventana al inicio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "¿Qué tipo de renderizado de cámara debería usarse?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Renderizado de cámara:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspectiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ortográfica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Abrir y guardar archivos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "¿Debería abrir los archivos del escritorio o las aplicaciones externas en la misma instancia de Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utilizar una sola instancia de Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "¿Se debe limpiar la placa de impresión antes de cargar un nuevo modelo en una única instancia de Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Limpiar la placa de impresión antes de cargar el modelo en la instancia única" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "¿Deben ajustarse los modelos al volumen de impresión si son demasiado grandes?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Escalar modelos de gran tamaño" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Un modelo puede mostrarse demasiado pequeño si su unidad son metros en lugar de milímetros, por ejemplo. ¿Deben escalarse estos modelos?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Escalar modelos demasiado pequeños" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "¿Se deberían seleccionar los modelos después de haberse cargado?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Seleccionar modelos al abrirlos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "¿Debe añadirse automáticamente un prefijo basado en el nombre de la impresora al nombre del trabajo de impresión?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Agregar prefijo de la máquina al nombre del trabajo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "¿Mostrar un resumen al guardar un archivo de proyecto?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Mostrar un cuadro de diálogo de resumen al guardar el proyecto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamiento predeterminado al abrir un archivo del proyecto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamiento predeterminado al abrir un archivo del proyecto: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Preguntar siempre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Abrir siempre como un proyecto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importar modelos siempre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Si ha realizado cambios en un perfil y, a continuación, ha cambiado a otro, aparecerá un cuadro de diálogo que le preguntará si desea guardar o descartar los cambios. También puede elegir el comportamiento predeterminado, así ese cuadro de diálogo no volverá a aparecer." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Perfiles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Comportamiento predeterminado para los valores modificados al cambiar a otro perfil: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Descartar siempre los ajustes modificados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Transferir siempre los ajustes modificados al nuevo perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacidad" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "¿Deben enviarse datos anónimos sobre la impresión a Ultimaker? Tenga en cuenta que no se envían ni almacenan modelos, direcciones IP ni otra información de identificación personal." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Enviar información (anónima) de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Más información" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Actualizaciones" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "¿Debe Cura buscar actualizaciones cuando se abre el programa?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Buscar actualizaciones al iniciar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Cuando busque actualizaciones, compruebe solo si hay versiones estables." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Solo versiones estables" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Cuando busque actualizaciones, compruebe si hay versiones estables y versiones beta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Versiones estables y beta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "¿Debería Cura buscar automáticamente nuevos complementos cada vez que se inicia? Le recomendamos encarecidamente que no desactive esta opción!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Recibir notificaciones de actualizaciones de complementos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Activar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Cambiar nombre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Crear" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplicado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exportar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Sincronizar con las impresoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmar eliminación" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "¿Seguro que desea eliminar %1? ¡Esta acción no se puede deshacer!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importar material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "No se pudo importar el material en %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "El material se ha importado correctamente en %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportar material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Se ha producido un error al exportar el material a %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "El material se ha exportado correctamente a %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Exportar todos los materiales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Información" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmar cambio de diámetro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "El nuevo diámetro del filamento está ajustado en %1 mm y no es compatible con el extrusor actual. ¿Desea continuar?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Mostrar nombre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo de material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Color" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propiedades" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densidad" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diámetro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Coste del filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso del filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Longitud del filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Coste por metro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Este material está vinculado a %1 y comparte alguna de sus propiedades." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Desvincular material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descripción" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Información sobre adherencia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Ajustes de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Crear" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplicado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Crear perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Introduzca un nombre para este perfil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplicar perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Cambiar nombre de perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importar perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportar perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Impresora: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Actualizar perfil con ajustes o sobrescrituras actuales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Descartar cambios actuales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Este perfil utiliza los ajustes predeterminados especificados por la impresora, por eso no aparece ningún ajuste o sobrescritura en la lista que se ve a continuación." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Los ajustes actuales coinciden con el perfil seleccionado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Ajustes globales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Actual" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unidad" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilidad de los ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Comprobar todo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Temperatura objetivo del extremo caliente. El extremo caliente se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento del extremo caliente se desactivará." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Temperatura actual de este extremo caliente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Temperatura a la que se va a precalentar el extremo caliente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Cancelar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Precalentar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Caliente el extremo caliente antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que el extremo caliente se caliente para poder imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Color del material en este extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Material en este extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Tobera insertada en este extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Placa de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Temperatura objetivo de la plataforma calentada. La plataforma se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento de la plataforma se desactivará." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Temperatura actual de la plataforma caliente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Temperatura a la que se va a precalentar la plataforma." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Caliente la plataforma antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que la plataforma se caliente para poder imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Control de impresoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Posición de desplazamiento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Distancia de desplazamiento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Enviar GCode" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Envíe un comando de GCode personalizado a la impresora conectada. Pulse «Intro» para enviar el comando." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "La impresora no está conectada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "La impresora de la nube está sin conexión. Compruebe si la impresora está encendida y conectada a Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Esta impresora no está vinculada a su cuenta. Vaya a Ultimaker Digital Factory para establecer una conexión." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "La conexión de la nube no está disponible actualmente. Inicie sesión para conectarse a la impresora de la nube." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "La conexión de la nube no está disponible actualmente. Compruebe la conexión a Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Agregar impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Administrar impresoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Impresoras conectadas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Impresoras preconfiguradas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Activar impresión" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Nombre del trabajo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Tiempo de impresión" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Tiempo restante estimado" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "La impresora de la nube está sin conexión. Compruebe si la impresora está encendida y conectada a Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Esta impresora no está vinculada a su cuenta. Vaya a Ultimaker Digital Factory para establecer una conexión." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "La conexión de la nube no está disponible actualmente. Inicie sesión para conectarse a la impresora de la nube." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "La conexión de la nube no está disponible actualmente. Compruebe la conexión a Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Agregar impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Administrar impresoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Impresoras conectadas" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Impresoras preconfiguradas" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Ajustes de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Configuración de impresión deshabilitada. No se puede modificar el archivo GCode." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Perfil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5092,120 +4118,1703 @@ msgstr "" "\n" "Haga clic para abrir el administrador de perfiles." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Perfiles personalizados" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Descartar cambios actuales" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Recomendado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Encendido" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Apagado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimental" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "No hay ningún perfil %1 para configuración en %2 extrusor. En su lugar se utilizará la opción predeterminada" msgstr[1] "No hay ningún perfil %1 para configuraciones en %2 extrusores. En su lugar se utilizará la opción predeterminada" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Configuración de impresión deshabilitada. No se puede modificar el archivo GCode." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recomendado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Encendido" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Apagado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Experimental" +msgid "Profiles" +msgstr "Perfiles" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Adherencia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Habilita la impresión de un borde o una balsa. Esta opción agregará un área plana alrededor del objeto, que es fácil de cortar después." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Relleno gradual" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Un relleno gradual aumentará gradualmente la cantidad de relleno hacia arriba." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Ha modificado algunos ajustes del perfil. Si desea cambiarlos, hágalo en el modo personalizado." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Soporte" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Generar estructuras para soportar piezas del modelo que tengan voladizos. Sin estas estructuras, estas piezas se romperían durante la impresión." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Algunos ajustes ocultos utilizan valores diferentes de los valores normales calculados.\n" -"\n" -"Haga clic para mostrar estos ajustes." +msgid "Gradual infill" +msgstr "Relleno gradual" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Un relleno gradual aumentará gradualmente la cantidad de relleno hacia arriba." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Adherencia" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Habilita la impresión de un borde o una balsa. Esta opción agregará un área plana alrededor del objeto, que es fácil de cortar después." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Guardar proyecto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Impresoras de red habilitadas" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Impresoras locales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoritos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Genérico" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Imprimir modelo seleccionado con:" +msgstr[1] "Imprimir modelos seleccionados con:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Multiplicar modelo seleccionado" +msgstr[1] "Multiplicar modelos seleccionados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Número de copias" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Guardar proyecto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Exportar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Exportar selección..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configuraciones" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Habilitado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Utilice pegamento con esta combinación de materiales para lograr una mejor adhesión." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Seleccionar configuración" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Configuraciones" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Cargando configuraciones disponibles desde la impresora..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Las configuraciones no se encuentran disponibles porque la impresora no está conectada." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Esta configuración no se encuentra disponible porque %1 es un perfil desconocido. Visite %2 para descargar el perfil de materiales correcto." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Abrir archivo(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Definir como extrusor activo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Habilitar extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Deshabilitar extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Abrir &reciente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Ajustes visibles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Contraer todas las categorías" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gestionar visibilidad de los ajustes..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Posición de la cámara" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Vista de cámara" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspectiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "P&laca de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Ver tipo" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Se imprime como soporte." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Se han modificado otros modelos que se superponen con este modelo." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Se ha modificado la superposición del relleno con este modelo." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "No se admiten superposiciones con este modelo." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "%1 sobrescrito." +msgstr[1] "%1 sobrescritos." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Perfiles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Activar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Crear" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplicado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Cambiar nombre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Exportar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Crear perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Introduzca un nombre para este perfil." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Duplicar perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Confirmar eliminación" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "¿Seguro que desea eliminar %1? ¡Esta acción no se puede deshacer!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Cambiar nombre de perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importar perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Exportar perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Impresora: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Actualizar perfil con ajustes o sobrescrituras actuales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Este perfil utiliza los ajustes predeterminados especificados por la impresora, por eso no aparece ningún ajuste o sobrescritura en la lista que se ve a continuación." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Los ajustes actuales coinciden con el perfil seleccionado." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Ajustes globales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "General" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interfaz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Moneda:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Tendrá que reiniciar la aplicación para que estos cambios tengan efecto." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Segmentar automáticamente al cambiar los ajustes." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Segmentar automáticamente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamiento de la ventanilla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Resaltar en rojo las áreas del modelo sin soporte. Sin soporte, estas áreas no se imprimirán correctamente." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Mostrar voladizos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Resalta las superficies que faltan o son extrañas del modelo usando señales de advertencia. A las trayectorias de herramientas les faltarán a menudo partes de la geometría prevista." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Mostrar errores de modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Mueve la cámara de manera que el modelo se encuentre en el centro de la vista cuando se selecciona un modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Centrar cámara cuando se selecciona elemento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "¿Se debería invertir el comportamiento predeterminado del zoom de cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Invertir la dirección del zoom de la cámara." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "¿Debería moverse el zoom en la dirección del ratón?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Hacer zoom en la dirección del ratón no es compatible con la perspectiva ortográfica." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Hacer zoom en la dirección del ratón" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "¿Deben moverse los modelos en la plataforma de modo que no se crucen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Asegúrese de que los modelos están separados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "¿Deben moverse los modelos del área de impresión de modo que no toquen la placa de impresión?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Arrastrar modelos a la placa de impresión de forma automática" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Se muestra el mensaje de advertencia en el lector de GCode." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Mensaje de advertencia en el lector de GCode" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "¿Debe forzarse el modo de compatibilidad de la capa?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Forzar modo de compatibilidad de la vista de capas (necesario reiniciar)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "¿Debería abrirse Cura en el lugar donde se cerró?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Restaurar la posición de la ventana al inicio" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "¿Qué tipo de renderizado de cámara debería usarse?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Renderizado de cámara:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspectiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Abrir y guardar archivos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "¿Debería abrir los archivos del escritorio o las aplicaciones externas en la misma instancia de Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Utilizar una sola instancia de Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "¿Se debe limpiar la placa de impresión antes de cargar un nuevo modelo en una única instancia de Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Limpiar la placa de impresión antes de cargar el modelo en la instancia única" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "¿Deben ajustarse los modelos al volumen de impresión si son demasiado grandes?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Escalar modelos de gran tamaño" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Un modelo puede mostrarse demasiado pequeño si su unidad son metros en lugar de milímetros, por ejemplo. ¿Deben escalarse estos modelos?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Escalar modelos demasiado pequeños" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "¿Se deberían seleccionar los modelos después de haberse cargado?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Seleccionar modelos al abrirlos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "¿Debe añadirse automáticamente un prefijo basado en el nombre de la impresora al nombre del trabajo de impresión?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Agregar prefijo de la máquina al nombre del trabajo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "¿Mostrar un resumen al guardar un archivo de proyecto?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Mostrar un cuadro de diálogo de resumen al guardar el proyecto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Comportamiento predeterminado al abrir un archivo del proyecto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Comportamiento predeterminado al abrir un archivo del proyecto: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Preguntar siempre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Abrir siempre como un proyecto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importar modelos siempre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Si ha realizado cambios en un perfil y, a continuación, ha cambiado a otro, aparecerá un cuadro de diálogo que le preguntará si desea guardar o descartar los cambios. También puede elegir el comportamiento predeterminado, así ese cuadro de diálogo no volverá a aparecer." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Comportamiento predeterminado para los valores modificados al cambiar a otro perfil: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Descartar siempre los ajustes modificados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Transferir siempre los ajustes modificados al nuevo perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacidad" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "¿Deben enviarse datos anónimos sobre la impresión a Ultimaker? Tenga en cuenta que no se envían ni almacenan modelos, direcciones IP ni otra información de identificación personal." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Enviar información (anónima) de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Más información" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Actualizaciones" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "¿Debe Cura buscar actualizaciones cuando se abre el programa?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Buscar actualizaciones al iniciar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Cuando busque actualizaciones, compruebe solo si hay versiones estables." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Solo versiones estables" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Cuando busque actualizaciones, compruebe si hay versiones estables y versiones beta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Versiones estables y beta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "¿Debería Cura buscar automáticamente nuevos complementos cada vez que se inicia? Le recomendamos encarecidamente que no desactive esta opción!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Recibir notificaciones de actualizaciones de complementos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Información" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Confirmar cambio de diámetro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "El nuevo diámetro del filamento está ajustado en %1 mm y no es compatible con el extrusor actual. ¿Desea continuar?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Mostrar nombre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Tipo de material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Color" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Propiedades" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Densidad" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Diámetro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Coste del filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Peso del filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Longitud del filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Coste por metro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Este material está vinculado a %1 y comparte alguna de sus propiedades." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Desvincular material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Descripción" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Información sobre adherencia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Crear" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplicado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Sincronizar con las impresoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importar material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "No se pudo importar el material en %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "El material se ha importado correctamente en %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportar material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Se ha producido un error al exportar el material a %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "El material se ha exportado correctamente a %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Exportar todos los materiales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Visibilidad de los ajustes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Comprobar todo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Impresoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Calculado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Ajustes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Actual" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Unidad" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "No está conectado a ninguna impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "La impresora no acepta comandos" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "En mantenimiento. Compruebe la impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Se ha perdido la conexión con la impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Imprimiendo..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "En pausa" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Preparando..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Retire la impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Cancelar impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "¿Está seguro de que desea cancelar la impresión?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Imprimir modelo seleccionado con %1" +msgstr[1] "Imprimir modelos seleccionados con %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Mis impresoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Supervise las impresoras de Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Cree proyectos de impresión en Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Trabajos de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Supervise los trabajos de impresión y vuelva a imprimir desde su historial de impresión." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Amplíe Ultimaker Cura con complementos y perfiles de materiales." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Conviértase en un experto en impresión 3D con el aprendizaje electrónico de Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Soporte técnico de Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Aprenda cómo empezar a utilizar Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Haga una pregunta" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Consulte en la Comunidad Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Informar del error" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Informe a los desarrolladores de que algo no funciona bien." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Visite el sitio web de Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Control de impresoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Posición de desplazamiento" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Distancia de desplazamiento" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Enviar GCode" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Envíe un comando de GCode personalizado a la impresora conectada. Pulse «Intro» para enviar el comando." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Temperatura objetivo del extremo caliente. El extremo caliente se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento del extremo caliente se desactivará." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Temperatura actual de este extremo caliente." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Temperatura a la que se va a precalentar el extremo caliente." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Precalentar" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Caliente el extremo caliente antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que el extremo caliente se caliente para poder imprimir." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Color del material en este extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Material en este extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Tobera insertada en este extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "La impresora no está conectada." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Placa de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Temperatura objetivo de la plataforma calentada. La plataforma se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento de la plataforma se desactivará." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Temperatura actual de la plataforma caliente." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Temperatura a la que se va a precalentar la plataforma." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Caliente la plataforma antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que la plataforma se caliente para poder imprimir." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Iniciar sesión" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Añada perfiles de materiales y complementos del Marketplace \n" +"- Realice copias de seguridad y sincronice los perfiles y complementos de sus materiales \n" +"- Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Cree una cuenta gratuita de Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Última actualización: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Cuenta de Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Cerrar sesión" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Comprobando..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Cuenta sincronizada" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Se ha producido un error..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Instalar actualizaciones pendientes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Buscar actualizaciones de la cuenta" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Sin título" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "No hay elementos para seleccionar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Mostrar Guía de resolución de problemas en línea" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Alternar pantalla completa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Salir de modo de pantalla completa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "Des&hacer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Rehacer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Salir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Vista en 3D" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Vista frontal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Vista superior" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Vista inferior" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Vista del lado izquierdo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Vista del lado derecho" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configurar Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Agregar impresora..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Adm&inistrar impresoras ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Administrar materiales..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Añadir más materiales de Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Actualizar perfil con ajustes o sobrescrituras actuales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Descartar cambios actuales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Crear perfil a partir de ajustes o sobrescrituras actuales..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Administrar perfiles..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Mostrar &documentación en línea" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Informar de un &error" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Novedades" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Acerca de..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Eliminar selección" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centrar selección" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Multiplicar selección" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Eliminar modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Ce&ntrar modelo en plataforma" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "A&grupar modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Desagrupar modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Co&mbinar modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Multiplicar modelo..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Seleccionar todos los modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Borrar placa de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Recargar todos los modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Organizar todos los modelos en todas las placas de impresión" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Organizar todos los modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Organizar selección" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Restablecer las posiciones de todos los modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Restablecer las transformaciones de todos los modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Abrir archivo(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nuevo proyecto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Mostrar carpeta de configuración" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configurar visibilidad de los ajustes..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Este ajuste no se utiliza porque los ajustes a los que afecta están sobrescritos." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Afecta a" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Afectado por" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Este ajuste siempre se comparte entre extrusores. Si lo modifica, modificará el valor de todos los extrusores." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Este valor se resuelve a partir de valores en conflicto específicos del extrusor:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5216,7 +5825,7 @@ msgstr "" "\n" "Haga clic para restaurar el valor del perfil." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5227,508 +5836,93 @@ msgstr "" "\n" "Haga clic para restaurar el valor calculado." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Buscar ajustes" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Copiar valor en todos los extrusores" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Copiar todos los valores cambiados en todos los extrusores" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Ocultar este ajuste" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "No mostrar este ajuste" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Mostrar este ajuste" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Vista en 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Vista frontal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Vista superior" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Vista del lado izquierdo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Vista del lado derecho" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Ver tipo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Añadir una impresora a la nube" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Esperando la respuesta de la nube" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "¿No se han encontrado impresoras en su cuenta?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Las siguientes impresoras de su cuenta se han añadido en Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Añadir impresora manualmente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor del perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nombre de la impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Asigne un nombre a su impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Agregar una impresora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Agregar una impresora en red" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Agregar una impresora fuera de red" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "No se ha encontrado ninguna impresora en su red." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Actualizar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Agregar impresora por IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Añadir impresora a la nube" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Solución de problemas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Agregar impresora por dirección IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Introduzca la dirección IP de su impresora." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Agregar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "No se ha podido conectar al dispositivo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "¿No puede conectarse a la impresora Ultimaker?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "La impresora todavía no ha respondido en esta dirección." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "No se puede agregar la impresora porque es desconocida o no aloja un grupo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Atrás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Conectar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notas de la versión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Añada ajustes de material y complementos desde Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Realice copias de seguridad y sincronice los ajustes y complementos de sus materiales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Omitir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Cree una cuenta gratuita de Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ayúdenos a mejorar Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario, entre otros:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipos de máquina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Uso de material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Número de segmentos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Ajustes de impresión" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Los datos recopilados por Ultimaker Cura no contendrán información personal." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Más información" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vacío" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Acuerdo de usuario" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rechazar y cerrar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Le damos la bienvenida a Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"Siga estos pasos para configurar\n" -"Ultimaker Cura. Solo le llevará unos minutos." +"Algunos ajustes ocultos utilizan valores diferentes de los valores normales calculados.\n" +"\n" +"Haga clic para mostrar estos ajustes." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Empezar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Este paquete se instalará después de reiniciar." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ajustes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Cerrando %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "¿Seguro que desea salir de %1?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instalar paquete" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Abrir archivo(s)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Hemos encontrado uno o más archivos de GCode entre los archivos que ha seleccionado. Solo puede abrir los archivos GCode de uno en uno. Si desea abrir un archivo GCode, seleccione solo uno." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Agregar impresora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Novedades" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "No hay elementos para seleccionar" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Comprueba las configuraciones de los modelos y la impresión en busca de posibles problemas de impresión y da consejos." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Comprobador de modelos" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Proporciona asistencia para leer archivos 3MF." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Lector de 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Proporciona asistencia para escribir archivos 3MF." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "Escritor de 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Proporciona asistencia para leer archivos AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Lector de AMF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Realice una copia de seguridad de su configuración y restáurela." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Copias de seguridad de Cura" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Proporciona el vínculo para el backend de segmentación de CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Backend de CuraEngine" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Proporciona asistencia para la importación de perfiles de Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Lector de perfiles de Cura" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Proporciona asistencia para exportar perfiles de Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Escritor de perfiles de Cura" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Se conecta a la biblioteca digital, por lo que Cura puede abrir y guardar archivos en ella." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Busca actualizaciones de firmware." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Buscador de actualizaciones de firmware" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Proporciona opciones a la máquina para actualizar el firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Actualizador de firmware" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Lee GCode de un archivo comprimido." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Lector de GCode comprimido" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Escribe GCode en un archivo comprimido." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Escritor de GCode comprimido" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Proporciona asistencia para la importación de perfiles de archivos GCode." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Lector de perfiles GCode" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Permite cargar y visualizar archivos GCode." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Lector de GCode" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Escribe GCode en un archivo." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Escritor de GCode" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Habilita la capacidad de generar geometría imprimible a partir de archivos de imagen 2D." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Lector de imágenes" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Proporciona asistencia para la importación de perfiles de versiones anteriores de Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Lector de perfiles antiguos de Cura" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Permite cambiar los ajustes de la máquina (como el volumen de impresión, el tamaño de la tobera, etc.)." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Acción Ajustes de la máquina" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Proporciona una fase de supervisión en Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Fase de supervisión" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5739,85 +5933,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Herramienta de ajustes por modelo" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Extensión que permite el posprocesamiento de las secuencias de comandos creadas por los usuarios" +msgid "Provides support for importing Cura profiles." +msgstr "Proporciona asistencia para la importación de perfiles de Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Posprocesamiento" +msgid "Cura Profile Reader" +msgstr "Lector de perfiles de Cura" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Proporciona una fase de preparación en Cura." +msgid "Provides support for reading X3D files." +msgstr "Proporciona asistencia para leer archivos X3D." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Fase de preparación" +msgid "X3D Reader" +msgstr "Lector de X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Proporciona una fase de vista previa en Cura." +msgid "Backup and restore your configuration." +msgstr "Realice una copia de seguridad de su configuración y restáurela." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Fase de vista previa" +msgid "Cura Backups" +msgstr "Copias de seguridad de Cura" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Proporciona asistencia para la conexión directa y la escritura de la unidad extraíble." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Permite cambiar los ajustes de la máquina (como el volumen de impresión, el tamaño de la tobera, etc.)." -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Complemento de dispositivo de salida de unidad extraíble" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Registra determinados eventos para que puedan utilizarse en el informe del accidente" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Registro de Sentry" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Abre la vista de simulación." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Vista de simulación" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Envía información anónima de la segmentación. Se puede desactivar en las preferencias." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Info de la segmentación" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Proporciona una vista de malla sólida normal." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Vista de sólidos" +msgid "Machine Settings Action" +msgstr "Acción Ajustes de la máquina" #: SupportEraser/plugin.json msgctxt "description" @@ -5829,35 +5983,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Borrador de soporte" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Buscar, administrar e instalar nuevos paquetes de Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Proporciona asistencia para la conexión directa y la escritura de la unidad extraíble." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Cuadro de herramientas" +msgid "Removable Drive Output Device Plugin" +msgstr "Complemento de dispositivo de salida de unidad extraíble" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Proporciona asistencia para leer archivos 3D." +msgid "Provides a machine actions for updating firmware." +msgstr "Proporciona opciones a la máquina para actualizar el firmware." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Lector Trimesh" +msgid "Firmware Updater" +msgstr "Actualizador de firmware" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Proporciona soporte para la lectura de paquetes de formato Ultimaker." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Proporciona asistencia para la importación de perfiles de versiones anteriores de Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Lector de UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Lector de perfiles antiguos de Cura" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Proporciona asistencia para leer archivos 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Lector de 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -5869,25 +6033,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Escritor de UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Proporciona las acciones de la máquina de las máquinas Ultimaker (como un asistente para la nivelación de la plataforma, la selección de actualizaciones, etc.)." +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Registra determinados eventos para que puedan utilizarse en el informe del accidente" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Acciones de la máquina Ultimaker" +msgid "Sentry Logger" +msgstr "Registro de Sentry" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Gestiona las conexiones de red de las impresoras Ultimaker conectadas." +msgid "Provides support for importing profiles from g-code files." +msgstr "Proporciona asistencia para la importación de perfiles de archivos GCode." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Conexión en red de Ultimaker" +msgid "G-code Profile Reader" +msgstr "Lector de perfiles GCode" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Proporciona una fase de vista previa en Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Fase de vista previa" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Proporciona la vista de rayos X." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Vista de rayos X" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Proporciona el vínculo para el backend de segmentación de CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Backend de CuraEngine" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Proporciona asistencia para leer archivos AMF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Lector de AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Lee GCode de un archivo comprimido." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Lector de GCode comprimido" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Extensión que permite el posprocesamiento de las secuencias de comandos creadas por los usuarios" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Posprocesamiento" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Proporciona asistencia para exportar perfiles de Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Escritor de perfiles de Cura" #: USBPrinting/plugin.json msgctxt "description" @@ -5899,25 +6133,135 @@ msgctxt "name" msgid "USB printing" msgstr "Impresión USB" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Actualiza las configuraciones de Cura 2.1 a Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Proporciona una fase de preparación en Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Actualización de la versión 2.1 a la 2.2" +msgid "Prepare Stage" +msgstr "Fase de preparación" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Actualiza la configuración de Cura 2.2 a Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Permite cargar y visualizar archivos GCode." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Actualización de la versión 2.2 a la 2.4" +msgid "G-code Reader" +msgstr "Lector de GCode" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Habilita la capacidad de generar geometría imprimible a partir de archivos de imagen 2D." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Lector de imágenes" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Proporciona las acciones de la máquina de las máquinas Ultimaker (como un asistente para la nivelación de la plataforma, la selección de actualizaciones, etc.)." + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Acciones de la máquina Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Escribe GCode en un archivo comprimido." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Escritor de GCode comprimido" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Busca actualizaciones de firmware." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Buscador de actualizaciones de firmware" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Envía información anónima de la segmentación. Se puede desactivar en las preferencias." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Info de la segmentación" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Permite leer y escribir perfiles de material basados en XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Perfiles de material" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Se conecta a la biblioteca digital, por lo que Cura puede abrir y guardar archivos en ella." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Buscar, administrar e instalar nuevos paquetes de Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Cuadro de herramientas" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Escribe GCode en un archivo." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Escritor de GCode" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Abre la vista de simulación." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Vista de simulación" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Actualiza la configuración de Cura 4.5 a Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Actualización de la versión 4.5 a la 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -5929,55 +6273,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Actualización de la versión 2.5 a la 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Actualiza la configuración de Cura 2.6 a Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Actualiza la configuración de Cura 4.6.0 a Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Actualización de la versión 2.6 a la 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Actualización de la versión 4.6.0 a la 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Actualiza la configuración de Cura 2.7 a Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Actualiza la configuración de Cura 4.7 a Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Actualización de la versión 2.7 a la 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Actualiza la configuración de Cura 3.0 a Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Actualización de la versión 3.0 a la 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Actualiza la configuración de Cura 3.2 a Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Actualización de la versión 3.2 a la 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Actualiza la configuración de Cura 3.3 a Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Actualización de la versión 3.3 a la 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Actualización de la versión 4.7 a la 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -5989,45 +6303,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Actualización de la versión 3.4 a la 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Actualiza la configuración de Cura 3.5 a Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Actualiza las configuraciones de Cura 2.1 a Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Actualización de la versión 3.5 a la 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Actualización de la versión 2.1 a la 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Actualiza la configuración de Cura 4.0 a Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Actualiza la configuración de Cura 3.2 a Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Actualización de la versión 4.0 a la 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Actualización de la versión 3.2 a la 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Actualiza la configuración de Cura 4.11 a Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Actualiza la configuración de Cura 4.8 a Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Actualización de la versión 4.11 a 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Actualización de la versión 4.8 a la 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Actualiza la configuración de Cura 4.1 a Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Actualiza la configuración de Cura 4.6.2 a Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Actualización de la versión 4.1 a la 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Actualización de la versión 4.6.2 a la 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6049,66 +6363,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Actualización de la versión 4.3 a la 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Actualiza la configuración de Cura 4.4 a Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Actualización de la versión 4.4 a la 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Actualiza la configuración de Cura 4.5 a Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Actualización de la versión 4.5 a la 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Actualiza la configuración de Cura 4.6.0 a Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Actualización de la versión 4.6.0 a la 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Actualiza la configuración de Cura 4.6.2 a Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Actualización de la versión 4.6.2 a la 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Actualiza la configuración de Cura 4.7 a Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Actualización de la versión 4.7 a la 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Actualiza la configuración de Cura 4.8 a Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Actualización de la versión 4.8 a la 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6119,35 +6373,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Actualización de la versión 4.9 a la 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Proporciona asistencia para leer archivos X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Actualiza la configuración de Cura 2.7 a Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Lector de X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Actualización de la versión 2.7 a la 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Permite leer y escribir perfiles de material basados en XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Actualiza la configuración de Cura 2.6 a Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Perfiles de material" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Actualización de la versión 2.6 a la 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Proporciona la vista de rayos X." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Actualiza la configuración de Cura 4.11 a Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Vista de rayos X" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Actualización de la versión 4.11 a 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Actualiza la configuración de Cura 3.3 a Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Actualización de la versión 3.3 a la 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Actualiza la configuración de Cura 3.0 a Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Actualización de la versión 3.0 a la 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Actualiza la configuración de Cura 4.0 a Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Actualización de la versión 4.0 a la 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Actualiza la configuración de Cura 4.4 a Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Actualización de la versión 4.4 a la 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Actualiza la configuración de Cura 2.2 a Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Actualización de la versión 2.2 a la 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Actualiza la configuración de Cura 4.1 a Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Actualización de la versión 4.1 a la 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Actualiza la configuración de Cura 3.5 a Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Actualización de la versión 3.5 a la 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Gestiona las conexiones de red de las impresoras Ultimaker conectadas." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Conexión en red de Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Proporciona asistencia para leer archivos 3D." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Lector Trimesh" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Proporciona soporte para la lectura de paquetes de formato Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Lector de UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Proporciona una vista de malla sólida normal." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Vista de sólidos" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Proporciona asistencia para escribir archivos 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Escritor de 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Proporciona una fase de supervisión en Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Fase de supervisión" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Comprueba las configuraciones de los modelos y la impresión en busca de posibles problemas de impresión y da consejos." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Comprobador de modelos" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/es_ES/fdmextruder.def.json.po b/resources/i18n/es_ES/fdmextruder.def.json.po index a337f42a72..b281d5a778 100644 --- a/resources/i18n/es_ES/fdmextruder.def.json.po +++ b/resources/i18n/es_ES/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2019-03-13 14:00+0200\n" "Last-Translator: Bothof \n" "Language-Team: Spanish\n" diff --git a/resources/i18n/es_ES/fdmprinter.def.json.po b/resources/i18n/es_ES/fdmprinter.def.json.po index 20bf57b59a..e7507d0a5e 100644 --- a/resources/i18n/es_ES/fdmprinter.def.json.po +++ b/resources/i18n/es_ES/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:15+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Spanish , Spanish \n" @@ -53,8 +53,10 @@ msgstr "Iniciar GCode" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "Los comandos de GCode que se ejecutarán justo al inicio separados por - \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -63,8 +65,10 @@ msgstr "Finalizar GCode" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "Los comandos de GCode que se ejecutarán justo al final separados por - \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -146,6 +150,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Profundidad (dimensión sobre el eje Y) del área de impresión." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Altura de la máquina" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Altura (dimensión sobre el eje Z) del área de impresión." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -186,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Aluminio" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Altura de la máquina" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Altura (dimensión sobre el eje Z) del área de impresión." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -553,8 +557,8 @@ msgstr "Velocidad máxima del motor de la dirección Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Velocidad de alimentación máxima" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1723,12 +1727,8 @@ msgstr "Patrón de relleno" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Patrón del material de relleno de la impresión. El relleno de línea y zigzag cambia de dirección en capas alternas, con lo que se reduce el coste de material." -" Los patrones de rejilla, triángulo, trihexágono, cubo, octeto, cubo bitruncado, transversal y concéntrico se imprimen en todas las capas por completo." -" El relleno giroide, cúbico, cúbico bitruncado y de octeto cambian en cada capa para proporcionar una distribución de fuerza equitativa en cada dirección." -" El relleno de iluminación intenta minimizar el relleno, apoyando únicamente las cubiertas (internas) del objeto. Como tal, el porcentaje de relleno solo" -" es \"válido\" una capa por debajo de lo que necesite para soportar el modelo." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2041,9 +2041,8 @@ msgstr "Ángulo de recorte de relleno de iluminación" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "La diferencia que puede tener una capa de relleno de iluminación con la inmediatamente superior como cuando se podan las puntas de los árboles. Medido" -" en el ángulo dado el espesor." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2052,9 +2051,8 @@ msgstr "Ángulo de enderezamiento de iluminación" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "La diferencia que puede tener una capa de relleno de iluminación con la inmediatamente superior como el suavizado de los árboles. Medido en el ángulo dado" -" el espesor." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6479,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Matriz de transformación que se aplicará al modelo cuando se cargue desde el archivo." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "Los comandos de GCode que se ejecutarán justo al inicio separados por - \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "Los comandos de GCode que se ejecutarán justo al final separados por - \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Velocidad de alimentación máxima" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Patrón del material de relleno de la impresión. El relleno de línea y zigzag cambia de dirección en capas alternas, con lo que se reduce el coste de material. Los patrones de rejilla, triángulo, trihexágono, cubo, octeto, cubo bitruncado, transversal y concéntrico se imprimen en todas las capas por completo. El relleno giroide, cúbico, cúbico bitruncado y de octeto cambian en cada capa para proporcionar una distribución de fuerza equitativa en cada dirección. El relleno de iluminación intenta minimizar el relleno, apoyando únicamente las cubiertas (internas) del objeto. Como tal, el porcentaje de relleno solo es \"válido\" una capa por debajo de lo que necesite para soportar el modelo." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "La diferencia que puede tener una capa de relleno de iluminación con la inmediatamente superior como cuando se podan las puntas de los árboles. Medido en el ángulo dado el espesor." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "La diferencia que puede tener una capa de relleno de iluminación con la inmediatamente superior como el suavizado de los árboles. Medido en el ángulo dado el espesor." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Patrón del material de relleno de la impresión. El relleno de línea y zigzag cambia de dirección en capas alternas, con lo que se reduce el coste de material. Los patrones de rejilla, triángulo, trihexágono, cubo, octeto, cubo bitruncado, transversal y concéntrico se imprimen en todas las capas por completo. El relleno giroide, cúbico, cúbico bitruncado y de octeto cambian en cada capa para proporcionar una distribución de fuerza equitativa en cada dirección." diff --git a/resources/i18n/fdmextruder.def.json.pot b/resources/i18n/fdmextruder.def.json.pot index a9b4b7fc37..2d127a3742 100644 --- a/resources/i18n/fdmextruder.def.json.pot +++ b/resources/i18n/fdmextruder.def.json.pot @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Uranium json setting files\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE\n" diff --git a/resources/i18n/fdmprinter.def.json.pot b/resources/i18n/fdmprinter.def.json.pot index d820066206..5482032204 100644 --- a/resources/i18n/fdmprinter.def.json.pot +++ b/resources/i18n/fdmprinter.def.json.pot @@ -3,7 +3,7 @@ msgid "" msgstr "" "Project-Id-Version: Uranium json setting files\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE\n" @@ -157,6 +157,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "" +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "" + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -198,16 +208,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "" - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -612,7 +612,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" +msgid "Maximum Speed E" msgstr "" #: fdmprinter.def.json @@ -1988,9 +1988,7 @@ msgid "" "patterns are fully printed every layer. Gyroid, cubic, quarter cubic and " "octet infill change with every layer to provide a more equal distribution of " "strength over each direction. Lightning infill tries to minimize the infill, " -"by only supporting the (internal) roofs of the object. As such, the infill " -"percentage is only 'valid' one layer below whatever it needs to support of " -"the model." +"by only supporting the ceiling of the object." msgstr "" #: fdmprinter.def.json @@ -2359,9 +2357,8 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" msgid "" -"The difference a lightning infill layer can have with the one immediately " -"above w.r.t the pruning of the outer extremities of trees. Measured in the " -"angle given the thickness." +"The endpoints of infill lines are shortened to save on material. This " +"setting is the angle of overhang of the endpoints of these lines." msgstr "" #: fdmprinter.def.json @@ -2372,9 +2369,8 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" msgid "" -"The difference a lightning infill layer can have with the one immediately " -"above w.r.t the smoothing of trees. Measured in the angle given the " -"thickness." +"The infill lines are straightened out to save on printing time. This is the " +"maximum angle of overhang allowed across the length of the infill line." msgstr "" #: fdmprinter.def.json diff --git a/resources/i18n/fi_FI/cura.po b/resources/i18n/fi_FI/cura.po index db5c57d9c1..e1e678109d 100644 --- a/resources/i18n/fi_FI/cura.po +++ b/resources/i18n/fi_FI/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2017-09-27 12:27+0200\n" "Last-Translator: Bothof \n" "Language-Team: Finnish\n" @@ -15,212 +15,449 @@ msgstr "" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Tuntematon" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Tulostustilavuuden korkeutta on vähennetty tulostusjärjestysasetuksen vuoksi, jotta koroke ei osuisi tulostettuihin malleihin." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Tulostustilavuus" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Tuntematon" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Mukautettu materiaali" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Mukautettu" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Mukautetut profiilit" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Mukautettu materiaali" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Mukautettu" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Uusien paikkojen etsiminen kappaleille" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Etsitään paikkaa" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Kaikille kappaleille ei löydy paikkaa tulostustilavuudessa." -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Paikkaa ei löydy" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Ladataan laitteita..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Asetetaan näkymää..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Ladataan käyttöliittymää..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Tulostustilavuuden korkeutta on vähennetty tulostusjärjestysasetuksen vuoksi, jotta koroke ei osuisi tulostettuihin malleihin." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Vain yksi G-code-tiedosto voidaan ladata kerralla. Tiedoston {0} tuonti ohitettiin." -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Tulostustilavuus" +msgid "Warning" +msgstr "Varoitus" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Muita tiedostoja ei voida ladata, kun G-code latautuu. Tiedoston {0} tuonti ohitettiin." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Virhe" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Sulje" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Lisää" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Peruuta" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Ulkoseinämä" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Sisäseinämät" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Pintakalvo" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Täyttö" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Tuen täyttö" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Tukiliittymä" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Tuki" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Helma" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Siirtoliike" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Takaisinvedot" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Muu" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -230,32 +467,32 @@ msgid "" " " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Kaatumisraportti" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -263,698 +500,641 @@ msgid "" " " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Ladataan laitteita..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Asetetaan näkymää..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Ladataan käyttöliittymää..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Vain yksi G-code-tiedosto voidaan ladata kerralla. Tiedoston {0} tuonti ohitettiin." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Varoitus" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Muita tiedostoja ei voida ladata, kun G-code latautuu. Tiedoston {0} tuonti ohitettiin." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Virhe" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Kappaleiden kertominen ja sijoittelu" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Sijoitetaan kappaletta" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Kappaleiden kertominen ja sijoittelu" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Sijoitetaan kappaletta" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Suutin" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Tiedosto on jo olemassa" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Tiedosto {0} on jo olemassa. Haluatko varmasti kirjoittaa sen päälle?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Profiilin vienti epäonnistui tiedostoon {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Profiilin vienti epäonnistui tiedostoon {0}: Kirjoitin-lisäosa ilmoitti virheestä." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profiili viety tiedostoon {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Profiililla {0} on tuntematon tiedostotyyppi tai se on vioittunut." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Mukautettu profiili" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Profiilista puuttuu laatutyyppi." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Suutin" +msgid "Per Model Settings" +msgstr "Mallikohtaiset asetukset" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Määritä mallikohtaiset asetukset" + +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura-profiili" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D-tiedosto" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" +msgid "Backups" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Lisää" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Peruuta" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Laitteen asetukset" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Siirrettävä asema" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Tallenna siirrettävälle asemalle" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Tallenna siirrettävälle asemalle {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Ulkoseinämä" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Tallennetaan siirrettävälle asemalle {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Sisäseinämät" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Pintakalvo" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Täyttö" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Tuen täyttö" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Tukiliittymä" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Tuki" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Helma" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Siirtoliike" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Takaisinvedot" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Muu" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Sulje" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "" +msgid "Saving" +msgstr "Tallennetaan" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Ei voitu tallentaa tiedostoon {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Ei löydetty tiedostonimeä yritettäessä kirjoittaa laitteeseen {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Ei voitu tallentaa siirrettävälle asemalle {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Tallennettu siirrettävälle asemalle {0} nimellä {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Tiedosto tallennettu" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Poista" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Poista siirrettävä asema {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Poistettu {0}. Voit nyt poistaa aseman turvallisesti." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Poista laite turvallisesti" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Kohteen {0} poistaminen epäonnistui. Asema saattaa olla toisen ohjelman käytössä." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 -profiilit" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Suositeltu" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Mukautettu" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Suositeltu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Mukautettu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "3MF-tiedosto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF-tiedosto" +msgid "Ultimaker Format Package" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura-projektin 3MF-tiedosto" +msgid "G-code File" +msgstr "GCode-tiedosto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" +msgid "Preview" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Kerrosnäkymä" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Käsitellään kerroksia" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Tiedot" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Viipalointi ei onnistu nykyisellä materiaalilla, sillä se ei sovellu käytettäväksi valitun laitteen tai kokoonpanon kanssa." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Viipalointi ei onnistu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Viipalointi ei onnistu nykyisten asetuksien ollessa voimassa. Seuraavissa asetuksissa on virheitä: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Viipalointi ei onnistu, koska esitäyttötorni tai esitäytön sijainti tai sijainnit eivät kelpaa." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -963,475 +1143,434 @@ msgid "" "- Are not all set as modifier meshes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Käsitellään kerroksia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Tiedot" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura-profiili" +msgid "AMF File" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB-tulostus" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Tulosta USB:n kautta" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Tulosta USB:n kautta" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Yhdistetty USB:n kautta" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G-coden jäsennys" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-coden tiedot" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Varmista, että G-code on tulostimelle ja sen tulostusasetuksille soveltuva, ennen kuin lähetät tiedoston siihen. G-coden esitys ei välttämättä ole tarkka." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G File -tiedosto" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG-kuva" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG-kuva" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG-kuva" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP-kuva" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF-kuva" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Tasaa alusta" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Valitse päivitykset" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Päivitystietoja ei löytynyt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "GCode-tiedosto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-coden jäsennys" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-coden tiedot" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Varmista, että G-code on tulostimelle ja sen tulostusasetuksille soveltuva, ennen kuin lähetät tiedoston siihen. G-coden esitys ei välttämättä ole tarkka." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G File -tiedosto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG-kuva" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG-kuva" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG-kuva" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP-kuva" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF-kuva" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 -profiilit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Laitteen asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Mallikohtaiset asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Määritä mallikohtaiset asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Tallenna siirrettävälle asemalle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Tallenna siirrettävälle asemalle {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Tallennetaan siirrettävälle asemalle {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Tallennetaan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Ei voitu tallentaa tiedostoon {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Ei löydetty tiedostonimeä yritettäessä kirjoittaa laitteeseen {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Ei voitu tallentaa siirrettävälle asemalle {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Tallennettu siirrettävälle asemalle {0} nimellä {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Tiedosto tallennettu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Poista" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Poista siirrettävä asema {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Poistettu {0}. Voit nyt poistaa aseman turvallisesti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Poista laite turvallisesti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Kohteen {0} poistaminen epäonnistui. Asema saattaa olla toisen ohjelman käytössä." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Siirrettävä asema" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Kerrosnäkymä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Kiinteä näkymä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Lisäosan lisenssisopimus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Lisäosan lisenssisopimus" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Kerrosnäkymä" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Tulosta verkon kautta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Tulosta verkon kautta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Tasaa alusta" +msgid "Connect via Network" +msgstr "Yhdistä verkon kautta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Valitse päivitykset" +msgid "Configure group" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1439,71 +1578,71 @@ msgid_plural "... and {0} others" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1515,776 +1654,1641 @@ msgid_plural "" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" "Are you sure you want to continue?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Kiinteä näkymä" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF-tiedosto" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura-projektin 3MF-tiedosto" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Tulosta verkon kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Tulosta verkon kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Yhdistä verkon kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB-tulostus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Tulosta USB:n kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Tulosta USB:n kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Yhdistetty USB:n kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgid "Mesh Type" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D-tiedosto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Kerrosnäkymä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgid "Infill mesh only" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 +msgctxt "@item:inlistbox" +msgid "Cutting mesh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Valitse asetukset" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Valitse tätä mallia varten mukautettavat asetukset" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Suodatin..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Näytä kaikki" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (leveys)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (syvyys)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (korkeus)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Alustan muoto" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X väh." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y väh." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X enint." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y enint." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Suulakkeiden määrä" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Suuttimen koko" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Suuttimen X-siirtymä" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Suuttimen Y-siirtymä" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Tulostin" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Laiteohjelmisto on suoraan 3D-tulostimessa toimiva ohjelma. Laiteohjelmisto ohjaa askelmoottoreita, säätää lämpötilaa ja saa tulostimen toimimaan." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Uusien tulostimien mukana toimitettava laiteohjelmisto toimii, mutta uusissa versioissa on yleensä enemmän toimintoja ja parannuksia." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Päivitä laiteohjelmisto automaattisesti" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Lataa mukautettu laiteohjelmisto" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Valitse mukautettu laiteohjelmisto" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Laiteohjelmiston päivitys" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Päivitetään laiteohjelmistoa." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Laiteohjelmiston päivitys suoritettu." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Laiteohjelmiston päivitys epäonnistui tuntemattoman virheen takia." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Laiteohjelmiston päivitys epäonnistui tietoliikennevirheen takia." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Laiteohjelmiston päivitys epäonnistui tiedoston lukemiseen tai kirjoittamiseen liittyvän virheen takia." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Laiteohjelmiston päivitys epäonnistui puuttuvan laiteohjelmiston takia." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Avaa projekti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Yhteenveto – Cura-projekti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Tulostimen asetukset" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Miten laitteen ristiriita pitäisi ratkaista?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Tyyppi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Profiilin asetukset" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Miten profiilin ristiriita pitäisi ratkaista?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nimi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Ei profiilissa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 ohitus" msgstr[1] "%1 ohitusta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Johdettu seuraavista" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 ohitus" msgstr[1] "%1, %2 ohitusta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Materiaaliasetukset" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Miten materiaalin ristiriita pitäisi ratkaista?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Asetusten näkyvyys" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Tila" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Näkyvät asetukset:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1/%2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Avaa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" +msgid "Post Processing Plugin" +msgstr "Jälkikäsittelylisäosa" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 +msgctxt "@label" +msgid "Post Processing Scripts" +msgstr "Jälkikäsittelykomentosarjat" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Lisää komentosarja" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 +msgctxt "@label" +msgid "Settings" +msgstr "Asetukset" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "" +msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 -msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Laiteohjelmisto on suoraan 3D-tulostimessa toimiva ohjelma. Laiteohjelmisto ohjaa askelmoottoreita, säätää lämpötilaa ja saa tulostimen toimimaan." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 -msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Uusien tulostimien mukana toimitettava laiteohjelmisto toimii, mutta uusissa versioissa on yleensä enemmän toimintoja ja parannuksia." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Päivitä laiteohjelmisto automaattisesti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Lataa mukautettu laiteohjelmisto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Valitse mukautettu laiteohjelmisto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Laiteohjelmiston päivitys" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Päivitetään laiteohjelmistoa." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Laiteohjelmiston päivitys suoritettu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Laiteohjelmiston päivitys epäonnistui tuntemattoman virheen takia." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Laiteohjelmiston päivitys epäonnistui tietoliikennevirheen takia." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Laiteohjelmiston päivitys epäonnistui tiedoston lukemiseen tai kirjoittamiseen liittyvän virheen takia." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Laiteohjelmiston päivitys epäonnistui puuttuvan laiteohjelmiston takia." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Muunna kuva..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Kunkin pikselin suurin etäisyys \"Pohja\"-arvosta." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Korkeus (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Pohjan korkeus alustasta millimetreinä." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Pohja (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "Leveys millimetreinä alustalla." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Leveys (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "Syvyys millimetreinä alustalla" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Syvyys (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Tummempi on korkeampi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Vaaleampi on korkeampi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "Kuvassa käytettävän tasoituksen määrä." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Tasoitus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Valitse tähän Ultimaker Original -laitteeseen tehdyt päivitykset" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Lämmitettävä alusta (virallinen sarja tai itse rakennettu)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Alustan tasaaminen" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Voit säätää alustaa, jotta tulosteista tulisi hyviä. Kun napsautat \"Siirry seuraavaan positioon\", suutin siirtyy eri positioihin, joita voidaan säätää." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Laita paperinpala kussakin positiossa suuttimen alle ja säädä tulostusalustan korkeus. Tulostusalustan korkeus on oikea, kun suuttimen kärki juuri ja juuri osuu paperiin." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Aloita alustan tasaaminen" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Siirry seuraavaan positioon" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Asennettu" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Tulostin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" +msgid "Plugins" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 -msgctxt "@label" -msgid "Nozzle size" -msgstr "Suuttimen koko" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiaalit" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 -msgctxt "@label" -msgid "mm" -msgstr "mm" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 -msgctxt "@label" -msgid "Compatible material diameter" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Suuttimen X-siirtymä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Suuttimen Y-siirtymä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" +msgid "Will install upon restarting" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "X (Width)" -msgstr "X (leveys)" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (syvyys)" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (korkeus)" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Alustan muoto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" +msgid "Community Contributions" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Heated bed" +msgid "Community Plugins" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Heated build volume" +msgid "Generic Materials" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 +msgctxt "@label" +msgid "Website" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "X min" -msgstr "X väh." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y väh." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X enint." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y enint." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" +msgid "Email" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Suulakkeiden määrä" +msgid "Version" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" +msgid "Last updated" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 +msgctxt "@label" +msgid "Brand" +msgstr "Merkki" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 +msgctxt "@label" +msgid "Downloads" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 +msgctxt "@label" +msgid "You need to accept the license to install the package" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 +msgctxt "@label" +msgid "The following packages will be added:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 +msgctxt "@label" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +msgctxt "@label" +msgid "Color scheme" +msgstr "Värimalli" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Materiaalin väri" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Linjojen tyyppi" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 +msgctxt "@label" +msgid "Compatibility Mode" +msgstr "Yhteensopivuustila" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 +msgctxt "@label" +msgid "Travels" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 +msgctxt "@label" +msgid "Helpers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 +msgctxt "@label" +msgid "Shell" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +msgctxt "@label" +msgid "Infill" +msgstr "Täyttö" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 +msgctxt "@label" +msgid "Starts" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 +msgctxt "@label" +msgid "Only Show Top Layers" +msgstr "Näytä vain yläkerrokset" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Näytä 5 yksityiskohtaista kerrosta ylhäällä" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Yläosa/alaosa" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Sisäseinämä" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Tulostetaan" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Jonossa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Tulosta verkon kautta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Tulosta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Valmis" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Vaatii toimenpiteitä" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Yhdistä verkkotulostimeen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Muokkaa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Poista" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Päivitä" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Jos tulostinta ei ole luettelossa, lue verkkotulostuksen vianetsintäopas" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Tyyppi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Laiteohjelmistoversio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Osoite" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "Tämän osoitteen tulostin ei ole vielä vastannut." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Yhdistä" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Tulostimen osoite" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Keskeytä tulostus" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2293,1485 +3297,433 @@ msgid "" "- Check if you are signed in to discover cloud-connected printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Valitse asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Valitse tätä mallia varten mukautettavat asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Suodatin..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Näytä kaikki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Jälkikäsittelylisäosa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Jälkikäsittelykomentosarjat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Lisää komentosarja" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Värimalli" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Materiaalin väri" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Linjojen tyyppi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" +msgid "3D View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Yhteensopivuustila" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Täyttö" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Näytä vain yläkerrokset" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Näytä 5 yksityiskohtaista kerrosta ylhäällä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Yläosa/alaosa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Sisäseinämä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Asennettu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" +msgid "Front View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" +msgid "Object list" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiaalit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Merkki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Alustan tasaaminen" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "Tie&dosto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Voit säätää alustaa, jotta tulosteista tulisi hyviä. Kun napsautat \"Siirry seuraavaan positioon\", suutin siirtyy eri positioihin, joita voidaan säätää." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Muokkaa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Laita paperinpala kussakin positiossa suuttimen alle ja säädä tulostusalustan korkeus. Tulostusalustan korkeus on oikea, kun suuttimen kärki juuri ja juuri osuu paperiin." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Näytä" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Aloita alustan tasaaminen" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Siirry seuraavaan positioon" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Laa&jennukset" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Valitse tähän Ultimaker Original -laitteeseen tehdyt päivitykset" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "L&isäasetukset" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Lämmitettävä alusta (virallinen sarja tai itse rakennettu)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Ohje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Yhdistä verkkotulostimeen" +msgid "New project" +msgstr "Uusi projekti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Haluatko varmasti aloittaa uuden projektin? Se tyhjentää alustan ja kaikki tallentamattomat asetukset." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Muokkaa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Poista" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Päivitä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Jos tulostinta ei ole luettelossa, lue verkkotulostuksen vianetsintäopas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tyyppi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Laiteohjelmistoversio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Osoite" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Tämän osoitteen tulostin ei ole vielä vastannut." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Yhdistä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Tulostimen osoite" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Keskeytä tulostus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Tulostetaan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Valmis" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Vaatii toimenpiteitä" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Jonossa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Tulosta verkon kautta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Tulosta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Viipaloidaan..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Vaihda koko näyttöön" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Kumoa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "Tee &uudelleen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Lopeta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Määritä Curan asetukset..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "L&isää tulostin..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Tulostinten &hallinta..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Hallitse materiaaleja..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Päivitä nykyiset asetukset tai ohitukset profiiliin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Hylkää tehdyt muutokset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Luo profiili nykyisten asetusten tai ohitusten perusteella..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profiilien hallinta..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Näytä sähköinen &dokumentaatio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Ilmoita &virheestä" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Tietoja..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Poista malli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ke&skitä malli alustalle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Ryhmittele mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Poista mallien ryhmitys" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Yhdistä mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Kerro malli..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Valitse kaikki mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Tyhjennä tulostusalusta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Lataa kaikki mallit uudelleen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Järjestä kaikki mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Järjestä valinta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Määritä kaikkien mallien positiot uudelleen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Määritä kaikkien mallien muutokset uudelleen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Avaa tiedosto(t)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Uusi projekti..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Näytä määrityskansio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Määritä asetusten näkyvyys..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." +msgid "Time estimation" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Yleiset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Tulostimet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profiilit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Avaa tiedosto(t)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Avaa tiedosto(t)" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Löysimme vähintään yhden Gcode-tiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden Gcode-tiedoston kerrallaan. Jos haluat avata Gcode-tiedoston, valitse vain yksi." +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Lisää tulostin" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Kokonaisvaltainen sulatettavan tulostuslangan 3D-tulostusratkaisu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3780,183 +3732,204 @@ msgstr "" "Cura-ohjelman on kehittänyt Ultimaker B.V. yhteistyössä käyttäjäyhteisön kanssa.\n" "Cura hyödyntää seuraavia avoimeen lähdekoodiin perustuvia projekteja:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Graafinen käyttöliittymä" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Sovelluskehys" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Prosessien välinen tietoliikennekirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Ohjelmointikieli" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI-kehys" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI-kehyksen sidonnat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C++ -sidontakirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Data Interchange Format" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Tieteellisen laskennan tukikirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Nopeamman laskennan tukikirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "STL-tiedostojen käsittelyn tukikirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Tukikirjasto 3MF-tiedostojen käsittelyyn" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Sarjatietoliikennekirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf-etsintäkirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Monikulmion leikkauskirjasto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Fontti" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG-kuvakkeet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Avaa projektitiedosto" +msgid "Open file(s)" +msgstr "Avaa tiedosto(t)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Tämä on Cura-projektitiedosto. Haluatko avata sen projektina vai tuoda siinä olevat mallit?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Löysimme vähintään yhden projektitiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden projektitiedoston kerrallaan. Suosittelemme, että tuot vain malleja niistä tiedostoista. Haluatko jatkaa?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Muista valintani" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Avaa projektina" +msgid "Import all as models" +msgstr "Tuo kaikki malleina" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Tallenna projekti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Suulake %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiaali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Älä näytä projektin yhteenvetoa tallennettaessa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Tuo mallit" +msgid "Save" +msgstr "Tallenna" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Hylkää tai säilytä muutokset" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3964,1251 +3937,144 @@ msgid "" "Alternatively, you can discard the changes to load the defaults from '%1'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Profiilin asetukset" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Kysy aina" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Hylkää äläkä kysy uudelleen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Säilytä äläkä kysy uudelleen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Avaa projektitiedosto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Löysimme vähintään yhden projektitiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden projektitiedoston kerrallaan. Suosittelemme, että tuot vain malleja niistä tiedostoista. Haluatko jatkaa?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Tämä on Cura-projektitiedosto. Haluatko avata sen projektina vai tuoda siinä olevat mallit?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Muista valintani" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Tuo kaikki malleina" +msgid "Open as project" +msgstr "Avaa projektina" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Tallenna projekti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Suulake %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiaali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Älä näytä projektin yhteenvetoa tallennettaessa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Tallenna" +msgid "Import models" +msgstr "Tuo mallit" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Tulosta valittu malli asetuksella %1" -msgstr[1] "Tulosta valitut mallit asetuksella %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "Tie&dosto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Muokkaa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Näytä" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Laa&jennukset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "L&isäasetukset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Ohje" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Uusi projekti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Haluatko varmasti aloittaa uuden projektin? Se tyhjentää alustan ja kaikki tallentamattomat asetukset." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiaali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Tulosta valittu malli asetuksella:" -msgstr[1] "Tulosta valitut mallit asetuksella:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Kerro valittu malli" -msgstr[1] "Kerro valitut mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Kopioiden määrä" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Avaa &viimeisin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Tulostin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiaali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Aseta aktiiviseksi suulakepuristimeksi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Ei yhteyttä tulostimeen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Tulostin ei hyväksy komentoja" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Huolletaan. Tarkista tulostin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Yhteys tulostimeen menetetty" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Tulostetaan..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Keskeytetty" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Valmistellaan..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Poista tuloste" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Haluatko varmasti keskeyttää tulostuksen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Käyttöliittymä" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Valuutta:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Teema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Sovellus on käynnistettävä uudelleen, jotta nämä muutokset tulevat voimaan." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Viipaloi automaattisesti, kun asetuksia muutetaan." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Viipaloi automaattisesti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Näyttöikkunan käyttäytyminen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Korosta mallin vailla tukea olevat alueet punaisella. Ilman tukea nämä alueet eivät tulostu kunnolla." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Näytä uloke" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Siirtää kameraa siten, että valittuna oleva malli on näkymän keskellä." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Keskitä kamera kun kohde on valittu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Pitääkö Curan oletusarvoinen zoom-toimintatapa muuttaa päinvastaiseksi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Käännä kameran zoomin suunta päinvastaiseksi." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Tuleeko zoomauksen siirtyä hiiren suuntaan?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoomaa hiiren suuntaan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Pitäisikö alustalla olevia malleja siirtää niin, etteivät ne enää leikkaa toisiaan?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Varmista, että mallit ovat erillään" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Pitäisikö tulostusalueella olevia malleja siirtää alas niin, että ne koskettavat tulostusalustaa?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Pudota mallit automaattisesti alustalle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Pakotetaanko kerros yhteensopivuustilaan?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Pakota kerrosnäkymän yhteensopivuustila (vaatii uudelleenkäynnistyksen)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Tiedostojen avaaminen ja tallentaminen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Pitäisikö mallit skaalata tulostustilavuuteen, jos ne ovat liian isoja?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Skaalaa suuret mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Malli voi vaikuttaa erittäin pieneltä, jos sen koko on ilmoitettu esimerkiksi metreissä eikä millimetreissä. Pitäisikö nämä mallit suurentaa?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Skaalaa erittäin pienet mallit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Pitäisikö tulostustyön nimeen lisätä automaattisesti tulostimen nimeen perustuva etuliite?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Lisää laitteen etuliite työn nimeen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Näytetäänkö yhteenveto, kun projektitiedosto tallennetaan?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Näytä yhteenvetoikkuna, kun projekti tallennetaan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Projektitiedoston avaamisen oletustoimintatapa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Projektitiedoston avaamisen oletustoimintatapa: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Avaa aina projektina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Tuo mallit aina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Kun olet tehnyt muutokset profiiliin ja vaihtanut toiseen, näytetään valintaikkuna, jossa kysytään, haluatko säilyttää vai hylätä muutokset. Tässä voit myös valita oletuskäytöksen, jolloin valintaikkunaa ei näytetä uudelleen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Tietosuoja" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Pitäisikö anonyymejä tietoja tulosteesta lähettää Ultimakerille? Huomaa, että malleja, IP-osoitteita tai muita henkilökohtaisia tietoja ei lähetetä eikä tallenneta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Lähetä (anonyymit) tulostustiedot" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Pitäisikö Curan tarkistaa saatavilla olevat päivitykset, kun ohjelma käynnistetään?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Tarkista päivitykset käynnistettäessä" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivoi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Nimeä uudelleen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Luo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Jäljennös" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Tuo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Vie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Tuo materiaali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Materiaalin tuominen epäonnistui: %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Materiaalin tuominen onnistui: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Vie materiaali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Materiaalin vieminen epäonnistui kohteeseen %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Materiaalin vieminen onnistui kohteeseen %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Tiedot" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Näytä nimi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Materiaalin tyyppi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Väri" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Ominaisuudet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Tiheys" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Läpimitta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Tulostuslangan hinta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Tulostuslangan paino" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Tulostuslangan pituus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Hinta metriä kohden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Materiaali on linkitetty kohteeseen %1 ja niillä on joitain samoja ominaisuuksia." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Poista materiaalin linkitys" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Kuvaus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Tarttuvuustiedot" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Tulostusasetukset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Luo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Jäljennös" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Luo profiili" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Monista profiili" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Nimeä profiili uudelleen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profiilin tuonti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profiilin vienti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Tulostin: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Päivitä nykyiset asetukset tai ohitukset profiiliin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Hylkää tehdyt muutokset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Tässä profiilissa käytetään tulostimen oletusarvoja, joten siinä ei ole alla olevan listan asetuksia tai ohituksia." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Nykyiset asetukset vastaavat valittua profiilia." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Yleiset asetukset" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Laskettu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Asetus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profiili" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Nykyinen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Yksikkö" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Näkyvyyden asettaminen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Tarkista kaikki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Suulake" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Kuuman pään kohdelämpötila. Kuuma pää lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, kuuman pään lämmitys sammutetaan." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Peruuta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Esilämmitä" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Tämän suulakkeen materiaalin väri." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Tämän suulakkeen materiaali." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Tähän suulakkeeseen liitetty suutin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Alusta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Lämmitettävän pöydän kohdelämpötila. Pöytä lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, pöydän lämmitys sammutetaan." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Lämmitettävän pöydän nykyinen lämpötila." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Lämmitettävän pöydän esilämmityslämpötila." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Lämmitä pöytä ennen tulostusta. Voit edelleen säätää tulostinta sen lämmitessä, eikä sinun tarvitse odottaa pöydän lämpiämistä, kun olet valmis tulostamaan." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Tulostinta ei ole yhdistetty." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Aktiivinen tulostustyö" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Työn nimi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Tulostusaika" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Aikaa jäljellä arviolta" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Tulostusasetukset" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5219,120 +4085,1700 @@ msgstr "" "\n" "Avaa profiilin hallinta napsauttamalla." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Hylkää tehdyt muutokset" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" +msgid "Profiles" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Ota reunuksen tai pohjaristikon tulostus käyttöön. Tämä lisää kappaleen ympärille tai alle tasaisen alueen, joka on helppo leikata pois myöhemmin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Asteittainen täyttö lisää täytön tiheyttä vähitellen yläosaa kohti." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Muodosta rakenteita, jotka tukevat mallin ulokkeita sisältäviä osia. Ilman tukirakenteita kyseiset osat luhistuvat tulostuksen aikana." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." +msgid "Gradual infill" msgstr "" -"Jotkin piilotetut asetukset käyttävät arvoja, jotka eroavat normaaleista lasketuista arvoista.\n" -"\n" -"Tee asetuksista näkyviä napsauttamalla." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Asteittainen täyttö lisää täytön tiheyttä vähitellen yläosaa kohti." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Ota reunuksen tai pohjaristikon tulostus käyttöön. Tämä lisää kappaleen ympärille tai alle tasaisen alueen, joka on helppo leikata pois myöhemmin." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Tulosta valittu malli asetuksella:" +msgstr[1] "Tulosta valitut mallit asetuksella:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Kerro valittu malli" +msgstr[1] "Kerro valitut mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Kopioiden määrä" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Materiaali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Tulostin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Materiaali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Aseta aktiiviseksi suulakepuristimeksi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Avaa &viimeisin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profiilit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Aktivoi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Luo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Jäljennös" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Nimeä uudelleen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Tuo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Vie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Luo profiili" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Monista profiili" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Nimeä profiili uudelleen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Profiilin tuonti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Profiilin vienti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Tulostin: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Päivitä nykyiset asetukset tai ohitukset profiiliin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Tässä profiilissa käytetään tulostimen oletusarvoja, joten siinä ei ole alla olevan listan asetuksia tai ohituksia." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Nykyiset asetukset vastaavat valittua profiilia." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Yleiset asetukset" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Yleiset" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Käyttöliittymä" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Valuutta:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Teema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Sovellus on käynnistettävä uudelleen, jotta nämä muutokset tulevat voimaan." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Viipaloi automaattisesti, kun asetuksia muutetaan." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Viipaloi automaattisesti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Näyttöikkunan käyttäytyminen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Korosta mallin vailla tukea olevat alueet punaisella. Ilman tukea nämä alueet eivät tulostu kunnolla." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Näytä uloke" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Siirtää kameraa siten, että valittuna oleva malli on näkymän keskellä." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Keskitä kamera kun kohde on valittu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Pitääkö Curan oletusarvoinen zoom-toimintatapa muuttaa päinvastaiseksi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Käännä kameran zoomin suunta päinvastaiseksi." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Tuleeko zoomauksen siirtyä hiiren suuntaan?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Zoomaa hiiren suuntaan" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Pitäisikö alustalla olevia malleja siirtää niin, etteivät ne enää leikkaa toisiaan?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Varmista, että mallit ovat erillään" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Pitäisikö tulostusalueella olevia malleja siirtää alas niin, että ne koskettavat tulostusalustaa?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Pudota mallit automaattisesti alustalle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Pakotetaanko kerros yhteensopivuustilaan?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Pakota kerrosnäkymän yhteensopivuustila (vaatii uudelleenkäynnistyksen)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Tiedostojen avaaminen ja tallentaminen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Pitäisikö mallit skaalata tulostustilavuuteen, jos ne ovat liian isoja?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Skaalaa suuret mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Malli voi vaikuttaa erittäin pieneltä, jos sen koko on ilmoitettu esimerkiksi metreissä eikä millimetreissä. Pitäisikö nämä mallit suurentaa?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Skaalaa erittäin pienet mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Pitäisikö tulostustyön nimeen lisätä automaattisesti tulostimen nimeen perustuva etuliite?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Lisää laitteen etuliite työn nimeen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Näytetäänkö yhteenveto, kun projektitiedosto tallennetaan?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Näytä yhteenvetoikkuna, kun projekti tallennetaan" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Projektitiedoston avaamisen oletustoimintatapa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Projektitiedoston avaamisen oletustoimintatapa: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Avaa aina projektina" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Tuo mallit aina" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Kun olet tehnyt muutokset profiiliin ja vaihtanut toiseen, näytetään valintaikkuna, jossa kysytään, haluatko säilyttää vai hylätä muutokset. Tässä voit myös valita oletuskäytöksen, jolloin valintaikkunaa ei näytetä uudelleen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Tietosuoja" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Pitäisikö anonyymejä tietoja tulosteesta lähettää Ultimakerille? Huomaa, että malleja, IP-osoitteita tai muita henkilökohtaisia tietoja ei lähetetä eikä tallenneta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Lähetä (anonyymit) tulostustiedot" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Pitäisikö Curan tarkistaa saatavilla olevat päivitykset, kun ohjelma käynnistetään?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Tarkista päivitykset käynnistettäessä" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Tiedot" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Näytä nimi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Materiaalin tyyppi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Väri" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Ominaisuudet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Tiheys" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Läpimitta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Tulostuslangan hinta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Tulostuslangan paino" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Tulostuslangan pituus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Hinta metriä kohden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Materiaali on linkitetty kohteeseen %1 ja niillä on joitain samoja ominaisuuksia." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Poista materiaalin linkitys" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Kuvaus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Tarttuvuustiedot" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Luo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Jäljennös" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Tuo materiaali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Materiaalin tuominen epäonnistui: %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Materiaalin tuominen onnistui: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Vie materiaali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Materiaalin vieminen epäonnistui kohteeseen %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Materiaalin vieminen onnistui kohteeseen %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Näkyvyyden asettaminen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Tarkista kaikki" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Tulostimet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Laskettu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Asetus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profiili" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Nykyinen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Yksikkö" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Ei yhteyttä tulostimeen" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Tulostin ei hyväksy komentoja" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "Huolletaan. Tarkista tulostin" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Yhteys tulostimeen menetetty" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Tulostetaan..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Keskeytetty" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Valmistellaan..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Poista tuloste" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Haluatko varmasti keskeyttää tulostuksen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Tulosta valittu malli asetuksella %1" +msgstr[1] "Tulosta valitut mallit asetuksella %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Suulake" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Kuuman pään kohdelämpötila. Kuuma pää lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, kuuman pään lämmitys sammutetaan." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Peruuta" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Esilämmitä" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Tämän suulakkeen materiaalin väri." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Tämän suulakkeen materiaali." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Tähän suulakkeeseen liitetty suutin." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Tulostinta ei ole yhdistetty." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Alusta" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Lämmitettävän pöydän kohdelämpötila. Pöytä lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, pöydän lämmitys sammutetaan." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Lämmitettävän pöydän nykyinen lämpötila." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Lämmitettävän pöydän esilämmityslämpötila." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Lämmitä pöytä ennen tulostusta. Voit edelleen säätää tulostinta sen lämmitessä, eikä sinun tarvitse odottaa pöydän lämpiämistä, kun olet valmis tulostamaan." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Vaihda koko näyttöön" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Kumoa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "Tee &uudelleen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Lopeta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Määritä Curan asetukset..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "L&isää tulostin..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Tulostinten &hallinta..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Hallitse materiaaleja..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Päivitä nykyiset asetukset tai ohitukset profiiliin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Hylkää tehdyt muutokset" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Luo profiili nykyisten asetusten tai ohitusten perusteella..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profiilien hallinta..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Näytä sähköinen &dokumentaatio" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Ilmoita &virheestä" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Tietoja..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Poista malli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Ke&skitä malli alustalle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Ryhmittele mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Poista mallien ryhmitys" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Yhdistä mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Kerro malli..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Valitse kaikki mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Tyhjennä tulostusalusta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Lataa kaikki mallit uudelleen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Järjestä kaikki mallit" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Järjestä valinta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Määritä kaikkien mallien positiot uudelleen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Määritä kaikkien mallien muutokset uudelleen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Avaa tiedosto(t)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Uusi projekti..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Näytä määrityskansio" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Määritä asetusten näkyvyys..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Koskee seuraavia:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Riippuu seuraavista:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5343,7 +5789,7 @@ msgstr "" "\n" "Palauta profiilin arvo napsauttamalla." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5354,507 +5800,93 @@ msgstr "" "\n" "Palauta laskettu arvo napsauttamalla." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Kopioi arvo kaikkiin suulakepuristimiin" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Piilota tämä asetus" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Älä näytä tätä asetusta" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Pidä tämä asetus näkyvissä" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" +"Jotkin piilotetut asetukset käyttävät arvoja, jotka eroavat normaaleista lasketuista arvoista.\n" +"\n" +"Tee asetuksista näkyviä napsauttamalla." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" +msgid "This package will be installed after restarting." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Asetukset" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Avaa tiedosto(t)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Löysimme vähintään yhden Gcode-tiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden Gcode-tiedoston kerrallaan. Jos haluat avata Gcode-tiedoston, valitse vain yksi." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Lisää tulostin" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "" - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Tukee 3MF-tiedostojen lukemista." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF-lukija" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Tukee 3MF-tiedostojen kirjoittamista." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF-kirjoitin" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "" - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Linkki CuraEngine-viipalointiin taustalla." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine-taustaosa" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Tukee Cura-profiilien tuontia." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura-profiilin lukija" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Tukee Cura-profiilien vientiä." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura-profiilin kirjoitin" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "" - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Tarkistaa laiteohjelmistopäivitykset." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Laiteohjelmiston päivitysten tarkistus" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "" - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "" - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Tukee profiilien tuontia GCode-tiedostoista." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Mahdollistaa GCode-tiedostojen lataamisen ja näyttämisen." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "GCode-lukija" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "" - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Mahdollistaa tulostettavien geometrioiden luomisen 2D-kuvatiedostoista." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Kuvanlukija" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Tukee profiilien tuontia aikaisemmista Cura-versioista." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Aikaisempien Cura-profiilien lukija" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5865,34 +5897,54 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Mallikohtaisten asetusten työkalu" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Lisäosa, jonka avulla käyttäjät voivat luoda komentosarjoja jälkikäsittelyä varten" +msgid "Provides support for importing Cura profiles." +msgstr "Tukee Cura-profiilien tuontia." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Jälkikäsittely" +msgid "Cura Profile Reader" +msgstr "Cura-profiilin lukija" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." +msgid "Provides support for reading X3D files." +msgstr "Tukee X3D-tiedostojen lukemista." + +#: X3DReader/plugin.json +msgctxt "name" +msgid "X3D Reader" +msgstr "X3D-lukija" + +#: CuraDrive/plugin.json +msgctxt "description" +msgid "Backup and restore your configuration." msgstr "" -#: PrepareStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Prepare Stage" +msgid "Cura Backups" msgstr "" -#: PreviewStage/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." msgstr "" -#: PreviewStage/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Preview Stage" +msgid "Machine Settings Action" +msgstr "" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" msgstr "" #: RemovableDriveOutputDevice/plugin.json @@ -5905,6 +5957,46 @@ msgctxt "name" msgid "Removable Drive Output Device Plugin" msgstr "Irrotettavan aseman tulostusvälineen laajennus" +#: FirmwareUpdater/plugin.json +msgctxt "description" +msgid "Provides a machine actions for updating firmware." +msgstr "" + +#: FirmwareUpdater/plugin.json +msgctxt "name" +msgid "Firmware Updater" +msgstr "" + +#: LegacyProfileReader/plugin.json +msgctxt "description" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Tukee profiilien tuontia aikaisemmista Cura-versioista." + +#: LegacyProfileReader/plugin.json +msgctxt "name" +msgid "Legacy Cura Profile Reader" +msgstr "Aikaisempien Cura-profiilien lukija" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Tukee 3MF-tiedostojen lukemista." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF-lukija" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "" + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "" + #: SentryLogger/plugin.json msgctxt "description" msgid "Logs certain events so that they can be used by the crash reporter" @@ -5915,16 +6007,156 @@ msgctxt "name" msgid "Sentry Logger" msgstr "" -#: SimulationView/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Provides the Simulation view." +msgid "Provides support for importing profiles from g-code files." +msgstr "Tukee profiilien tuontia GCode-tiedostoista." + +#: GCodeProfileReader/plugin.json +msgctxt "name" +msgid "G-code Profile Reader" msgstr "" -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." msgstr "" +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Näyttää kerrosnäkymän." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Kerrosnäkymä" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Linkki CuraEngine-viipalointiin taustalla." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine-taustaosa" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "" + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "" + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Lisäosa, jonka avulla käyttäjät voivat luoda komentosarjoja jälkikäsittelyä varten" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Jälkikäsittely" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Tukee Cura-profiilien vientiä." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura-profiilin kirjoitin" + +#: USBPrinting/plugin.json +msgctxt "description" +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Hyväksyy GCode-määrittelyt ja lähettää ne tulostimeen. Lisäosa voi myös päivittää laiteohjelmiston." + +#: USBPrinting/plugin.json +msgctxt "name" +msgid "USB printing" +msgstr "USB-tulostus" + +#: PrepareStage/plugin.json +msgctxt "description" +msgid "Provides a prepare stage in Cura." +msgstr "" + +#: PrepareStage/plugin.json +msgctxt "name" +msgid "Prepare Stage" +msgstr "" + +#: GCodeReader/plugin.json +msgctxt "description" +msgid "Allows loading and displaying G-code files." +msgstr "Mahdollistaa GCode-tiedostojen lataamisen ja näyttämisen." + +#: GCodeReader/plugin.json +msgctxt "name" +msgid "G-code Reader" +msgstr "GCode-lukija" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Mahdollistaa tulostettavien geometrioiden luomisen 2D-kuvatiedostoista." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Kuvanlukija" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker-laitteen toiminnot" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "" + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Tarkistaa laiteohjelmistopäivitykset." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Laiteohjelmiston päivitysten tarkistus" + #: SliceInfoPlugin/plugin.json msgctxt "description" msgid "Submits anonymous slice info. Can be disabled through preferences." @@ -5935,24 +6167,24 @@ msgctxt "name" msgid "Slice info" msgstr "Viipalointitiedot" -#: SolidView/plugin.json +#: XmlMaterialProfile/plugin.json msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Näyttää normaalin kiinteän verkkonäkymän." +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Mahdollistaa XML-pohjaisten materiaaliprofiilien lukemisen ja kirjoittamisen." -#: SolidView/plugin.json +#: XmlMaterialProfile/plugin.json msgctxt "name" -msgid "Solid View" -msgstr "Kiinteä näkymä" +msgid "Material Profiles" +msgstr "Materiaaliprofiilit" -#: SupportEraser/plugin.json +#: DigitalLibrary/plugin.json msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." msgstr "" -#: SupportEraser/plugin.json +#: DigitalLibrary/plugin.json msgctxt "name" -msgid "Support Eraser" +msgid "Ultimaker Digital Library" msgstr "" #: Toolbox/plugin.json @@ -5965,86 +6197,36 @@ msgctxt "name" msgid "Toolbox" msgstr "" -#: TrimeshReader/plugin.json +#: GCodeWriter/plugin.json msgctxt "description" -msgid "Provides support for reading model files." +msgid "Writes g-code to a file." msgstr "" -#: TrimeshReader/plugin.json +#: GCodeWriter/plugin.json msgctxt "name" -msgid "Trimesh Reader" +msgid "G-code Writer" msgstr "" -#: UFPReader/plugin.json +#: SimulationView/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." +msgid "Provides the Simulation view." msgstr "" -#: UFPReader/plugin.json +#: SimulationView/plugin.json msgctxt "name" -msgid "UFP Reader" +msgid "Simulation View" msgstr "" -#: UFPWriter/plugin.json +#: VersionUpgrade/VersionUpgrade45to46/plugin.json msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." msgstr "" -#: UFPWriter/plugin.json +#: VersionUpgrade/VersionUpgrade45to46/plugin.json msgctxt "name" -msgid "UFP Writer" +msgid "Version Upgrade 4.5 to 4.6" msgstr "" -#: UltimakerMachineActions/plugin.json -msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "" - -#: UltimakerMachineActions/plugin.json -msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker-laitteen toiminnot" - -#: UM3NetworkPrinting/plugin.json -msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "" - -#: UM3NetworkPrinting/plugin.json -msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Hyväksyy GCode-määrittelyt ja lähettää ne tulostimeen. Lisäosa voi myös päivittää laiteohjelmiston." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "USB-tulostus" - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Päivittää kokoonpanon versiosta Cura 2.1 versioon Cura 2.2." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Päivitys versiosta 2.1 versioon 2.2" - -#: VersionUpgrade/VersionUpgrade22to24/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Päivittää kokoonpanon versiosta Cura 2.2 versioon Cura 2.4." - -#: VersionUpgrade/VersionUpgrade22to24/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Päivitys versiosta 2.2 versioon 2.4" - #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 2.5 to Cura 2.6." @@ -6055,54 +6237,24 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Päivitys versiosta 2.5 versioon 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Päivittää kokoonpanon versiosta Cura 2.6 versioon Cura 2.7." - -#: VersionUpgrade/VersionUpgrade26to27/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Päivitys versiosta 2.6 versioon 2.7" - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Päivittää kokoonpanon versiosta Cura 2.7 versioon Cura 3.0." - -#: VersionUpgrade/VersionUpgrade27to30/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Päivitys versiosta 2.7 versioon 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." msgstr "" -#: VersionUpgrade/VersionUpgrade30to31/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" +msgid "Version Upgrade 4.6.0 to 4.6.2" msgstr "" -#: VersionUpgrade/VersionUpgrade32to33/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." msgstr "" -#: VersionUpgrade/VersionUpgrade32to33/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" +msgid "Version Upgrade 4.7 to 4.8" msgstr "" #: VersionUpgrade/VersionUpgrade34to35/plugin.json @@ -6115,44 +6267,44 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Päivittää kokoonpanon versiosta Cura 2.1 versioon Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Päivitys versiosta 2.1 versioon 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." msgstr "" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" +msgid "Version Upgrade 3.2 to 3.3" msgstr "" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." msgstr "" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" +msgid "Version Upgrade 4.8 to 4.9" msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" msgstr "" #: VersionUpgrade/VersionUpgrade42to43/plugin.json @@ -6175,66 +6327,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6245,35 +6337,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Tukee X3D-tiedostojen lukemista." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Päivittää kokoonpanon versiosta Cura 2.7 versioon Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D-lukija" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Päivitys versiosta 2.7 versioon 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Mahdollistaa XML-pohjaisten materiaaliprofiilien lukemisen ja kirjoittamisen." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Päivittää kokoonpanon versiosta Cura 2.6 versioon Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Materiaaliprofiilit" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Päivitys versiosta 2.6 versioon 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Näyttää kerrosnäkymän." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Kerrosnäkymä" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Päivittää kokoonpanon versiosta Cura 2.2 versioon Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Päivitys versiosta 2.2 versioon 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "" + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "" + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "" + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Näyttää normaalin kiinteän verkkonäkymän." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Kiinteä näkymä" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Tukee 3MF-tiedostojen kirjoittamista." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF-kirjoitin" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "" + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "" + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "" #~ msgctxt "@info:title The %s gets replaced with the printer name." #~ msgid "New %s firmware available" diff --git a/resources/i18n/fi_FI/fdmextruder.def.json.po b/resources/i18n/fi_FI/fdmextruder.def.json.po index 1b0dcc4df5..a814af04d4 100644 --- a/resources/i18n/fi_FI/fdmextruder.def.json.po +++ b/resources/i18n/fi_FI/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2017-08-11 14:31+0200\n" "Last-Translator: Bothof \n" "Language-Team: Finnish\n" diff --git a/resources/i18n/fi_FI/fdmprinter.def.json.po b/resources/i18n/fi_FI/fdmprinter.def.json.po index 6837efae07..ba8d2db2c2 100644 --- a/resources/i18n/fi_FI/fdmprinter.def.json.po +++ b/resources/i18n/fi_FI/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2017-09-27 12:27+0200\n" "Last-Translator: Bothof \n" "Language-Team: Finnish\n" @@ -149,6 +149,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Tulostettavan alueen syvyys (Y-suunta)." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Laitteen korkeus" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Tulostettavan alueen korkeus (Z-suunta)." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -189,16 +199,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Laitteen korkeus" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Tulostettavan alueen korkeus (Z-suunta)." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -556,8 +556,8 @@ msgstr "Z-suunnan moottorin maksiminopeus." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Maksimisyöttönopeus" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1726,7 +1726,7 @@ msgstr "Täyttökuvio" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." msgstr "" #: fdmprinter.def.json @@ -2038,7 +2038,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." msgstr "" #: fdmprinter.def.json @@ -2048,7 +2048,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." msgstr "" #: fdmprinter.def.json @@ -6472,6 +6472,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Mallissa käytettävä muunnosmatriisi, kun malli ladataan tiedostosta." +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Maksimisyöttönopeus" + #~ msgctxt "mold_width description" #~ msgid "The minimal distance between the ouside of the mold and the outside of the model." #~ msgstr "Muotin ulkoseinän ja mallin ulkoseinän välinen vähimmäisetäisyys." diff --git a/resources/i18n/fr_FR/cura.po b/resources/i18n/fr_FR/cura.po index ec979faeb7..b5a232e257 100644 --- a/resources/i18n/fr_FR/cura.po +++ b/resources/i18n/fr_FR/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-09-07 07:48+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: French , French \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Inconnu" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Impossible de créer une archive à partir du répertoire de données de l'utilisateur : {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Les imprimantes ci-dessous ne peuvent pas être connectées car elles font partie d'un groupe" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Sauvegarde" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Imprimantes en réseau disponibles" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "A essayé de restaurer une sauvegarde Cura sans disposer de données ou de métadonnées appropriées." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Pas écrasé" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "A essayé de restaurer une sauvegarde Cura supérieure à la version actuelle." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "L'erreur suivante s'est produite lors de la restauration d'une sauvegarde Cura :" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Veuillez synchroniser les profils de matériaux avec vos imprimantes avant de commencer à imprimer." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Nouveaux matériaux installés" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Synchroniser les matériaux avec les imprimantes" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "En savoir plus" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Impossible d'enregistrer l'archive du matériau dans {} :" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Échec de l'enregistrement de l'archive des matériaux" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "La hauteur du volume d'impression a été réduite en raison de la valeur du paramètre « Séquence d'impression » afin d'éviter que le portique ne heurte les modèles imprimés." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume d'impression" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Voulez-vous vraiment supprimer l'objet {0} ? Cette action est irréversible !" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Pas écrasé" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Inconnu" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Les imprimantes ci-dessous ne peuvent pas être connectées car elles font partie d'un groupe" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Imprimantes en réseau disponibles" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Visuel" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Le profil visuel est conçu pour imprimer des prototypes et des modèles visuels dans le but d'obtenir une qualité visuelle et de surface élevée." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Le profil d'ingénierie est conçu pour imprimer des prototypes fonctionnels et des pièces finales dans le but d'obtenir une meilleure précision et des tolérances plus étroites." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Ébauche" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "L'ébauche du profil est conçue pour imprimer les prototypes initiaux et la validation du concept dans le but de réduire considérablement le temps d'impression." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Veuillez synchroniser les profils de matériaux avec vos imprimantes avant de commencer à imprimer." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Nouveaux matériaux installés" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Synchroniser les matériaux avec les imprimantes" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "En savoir plus" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Matériau personnalisé" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Personnalisé" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Impossible d'enregistrer l'archive du matériau dans {} :" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Échec de l'enregistrement de l'archive des matériaux" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Personnaliser les profils" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Tous les types supportés ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Tous les fichiers (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Visuel" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Le profil visuel est conçu pour imprimer des prototypes et des modèles visuels dans le but d'obtenir une qualité visuelle et de surface élevée." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Le profil d'ingénierie est conçu pour imprimer des prototypes fonctionnels et des pièces finales dans le but d'obtenir une meilleure précision et des tolérances plus étroites." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Ébauche" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "L'ébauche du profil est conçue pour imprimer les prototypes initiaux et la validation du concept dans le but de réduire considérablement le temps d'impression." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Matériau personnalisé" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Personnalisé" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "La connexion a échoué" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Recherche d'un nouvel emplacement pour les objets" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Recherche d'emplacement" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Impossible de trouver un emplacement dans le volume d'impression pour tous les objets" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Impossible de trouver un emplacement" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Impossible de créer une archive à partir du répertoire de données de l'utilisateur : {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Sauvegarde" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "A essayé de restaurer une sauvegarde Cura sans disposer de données ou de métadonnées appropriées." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "A essayé de restaurer une sauvegarde Cura supérieure à la version actuelle." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "L'erreur suivante s'est produite lors de la restauration d'une sauvegarde Cura :" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Chargement des machines..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Configuration des préférences..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Initialisation de la machine active..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Initialisation du gestionnaire de machine..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Initialisation du volume de fabrication..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Préparation de la scène..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Chargement de l'interface..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Initialisation du moteur..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "La hauteur du volume d'impression a été réduite en raison de la valeur du paramètre « Séquence d'impression » afin d'éviter que le portique ne heurte les modèles imprimés." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Un seul fichier G-Code peut être chargé à la fois. Importation de {0} sautée" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume d'impression" +msgid "Warning" +msgstr "Avertissement" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Impossible d'ouvrir un autre fichier si le G-Code est en cours de chargement. Importation de {0} sautée" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Erreur" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Passer" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Fermer" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Suivant" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Fin" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Ajouter" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Annuler" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Groupe nº {group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Paroi externe" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Parois internes" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Couche extérieure" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Remplissage" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Remplissage du support" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Interface du support" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Support" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Jupe" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Tour primaire" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Déplacement" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Rétractions" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Autre" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Les notes de version n'ont pas pu être ouvertes." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Échec du démarrage de Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    Veuillez nous envoyer ce rapport d'incident pour que nous puissions résoudre le problème.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Envoyer le rapport de d'incident à Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Afficher le rapport d'incident détaillé" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Afficher le dossier de configuration" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Sauvegarder et réinitialiser la configuration" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Rapport d'incident" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,702 +510,641 @@ msgstr "" "

    Veuillez utiliser le bouton « Envoyer rapport » pour publier automatiquement un rapport d'erreur sur nos serveurs

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informations système" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Inconnu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Version Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Langue de Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Langue du SE" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plate-forme" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Version Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Version PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Pas encore initialisé
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Version OpenGL : {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Revendeur OpenGL : {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Moteur de rendu OpenGL : {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Retraçage de l'erreur" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Journaux" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Envoyer rapport" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Chargement des machines..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Configuration des préférences..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Initialisation de la machine active..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Initialisation du gestionnaire de machine..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Initialisation du volume de fabrication..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Préparation de la scène..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Chargement de l'interface..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Initialisation du moteur..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Un seul fichier G-Code peut être chargé à la fois. Importation de {0} sautée" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Avertissement" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Impossible d'ouvrir un autre fichier si le G-Code est en cours de chargement. Importation de {0} sautée" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Erreur" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplication et placement d'objets" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Placement des objets" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Placement de l'objet" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Impossible de lire la réponse." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "L'état fourni n'est pas correct." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Veuillez donner les permissions requises lors de l'autorisation de cette application." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Une erreur s'est produite lors de la connexion, veuillez réessayer." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Impossible de lancer une nouvelle procédure de connexion. Vérifiez si une autre tentative de connexion est toujours active." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Impossible d’atteindre le serveur du compte Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "L'état fourni n'est pas correct." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Veuillez donner les permissions requises lors de l'autorisation de cette application." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Une erreur s'est produite lors de la connexion, veuillez réessayer." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Impossible de lire la réponse." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplication et placement d'objets" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Placement des objets" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Placement de l'objet" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Non pris en charge" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Buse" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Les paramètres ont été modifiés pour correspondre aux extrudeuses actuellement disponibles :" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Paramètres mis à jour" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extrudeuse(s) désactivée(s)" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Le fichier existe déjà" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Le fichier {0} existe déjà. Êtes-vous sûr de vouloir le remplacer ?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL de fichier invalide :" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Échec de l'exportation du profil vers {0} : {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Échec de l'exportation du profil vers {0} : le plug-in du générateur a rapporté une erreur." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil exporté vers {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "L'exportation a réussi" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Impossible d'importer le profil depuis {0} : {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Impossible d'importer le profil depuis {0} avant l'ajout d'une imprimante." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Aucun profil personnalisé à importer dans le fichier {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Échec de l'importation du profil depuis le fichier {0} :" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Le profil {0} contient des données incorrectes ; échec de l'importation." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Échec de l'importation du profil depuis le fichier {0} :" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Importation du profil {0} réussie." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Le fichier {0} ne contient pas de profil valide." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Le profil {0} est un type de fichier inconnu ou est corrompu." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Personnaliser le profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Il manque un type de qualité au profil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Aucune imprimante n'est active pour le moment." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Impossible d'ajouter le profil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Le type de qualité « {0} » n'est pas compatible avec la définition actuelle de la machine active « {1} »." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Avertissement : le profil n'est pas visible car son type de qualité « {0} » n'est pas disponible pour la configuration actuelle. Passez à une combinaison matériau/buse qui peut utiliser ce type de qualité." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Non pris en charge" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Buse" +msgid "Per Model Settings" +msgstr "Paramètres par modèle" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Les paramètres ont été modifiés pour correspondre aux extrudeuses actuellement disponibles :" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Configurer les paramètres par modèle" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Profil Cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "Fichier X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Une erreur s’est produite lors de la tentative de restauration de votre sauvegarde." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Paramètres mis à jour" +msgid "Backups" +msgstr "Sauvegardes" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrudeuse(s) désactivée(s)" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Une erreur s’est produite lors du téléchargement de votre sauvegarde." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Ajouter" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Création de votre sauvegarde..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Fin" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Une erreur s'est produite lors de la création de votre sauvegarde." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Annuler" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Téléchargement de votre sauvegarde..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Le téléchargement de votre sauvegarde est terminé." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "La sauvegarde dépasse la taille de fichier maximale." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Gérer les sauvegardes" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Paramètres de la machine" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Blocage des supports" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Créer un volume dans lequel les supports ne sont pas imprimés." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Lecteur amovible" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Enregistrer sur un lecteur amovible" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Groupe nº {group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Enregistrer sur un lecteur amovible {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Paroi externe" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Aucun format de fichier n'est disponible pour écriture !" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Parois internes" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Enregistrement sur le lecteur amovible {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Couche extérieure" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Remplissage" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Remplissage du support" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Interface du support" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Support" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Jupe" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Tour primaire" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Déplacement" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Rétractions" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Autre" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Les notes de version n'ont pas pu être ouvertes." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Suivant" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Passer" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Fermer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistant de modèle 3D" +msgid "Saving" +msgstr "Enregistrement" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Impossible d'enregistrer {0} : {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Impossible de trouver un nom de fichier lors d'une tentative d'écriture sur {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Un ou plusieurs modèles 3D peuvent ne pas s'imprimer de manière optimale en raison de la taille du modèle et de la configuration matérielle :

    \n" -"

    {model_names}

    \n" -"

    Découvrez comment optimiser la qualité et la fiabilité de l'impression.

    \n" -"

    Consultez le guide de qualité d'impression

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Impossible d'enregistrer sur le lecteur {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Enregistré sur le lecteur amovible {0} sous {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Fichier enregistré" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Ejecter" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Ejecter le lecteur amovible {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Lecteur {0} éjecté. Vous pouvez maintenant le retirer en tout sécurité." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Retirez le lecteur en toute sécurité" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Impossible d'éjecter {0}. Un autre programme utilise peut-être ce lecteur." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Mettre à jour le firmware" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Profils Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Recommandé" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Personnalisé" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Le fichier projet {0} contient un type de machine inconnu {1}. Impossible d'importer la machine. Les modèles seront importés à la place." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Ouvrir un fichier de projet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "Le fichier de projet {0} est soudainement inaccessible : {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Impossible d'ouvrir le fichier de projet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Le fichier de projet {0} est corrompu : {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "Le fichier de projet {0} a été réalisé en utilisant des profils inconnus de cette version d'Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recommandé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personnalisé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "Fichier 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Le plug-in 3MF Writer est corrompu." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Impossible d'écrire dans le fichier UFP :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Aucune autorisation d'écrire l'espace de travail ici." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "Le système d'exploitation ne permet pas d'enregistrer un fichier de projet à cet emplacement ou avec ce nom de fichier." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Erreur d'écriture du fichier 3MF." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Fichier 3MF" +msgid "Ultimaker Format Package" +msgstr "Ultimaker Format Package" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Projet Cura fichier 3MF" +msgid "G-code File" +msgstr "Fichier GCode" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Fichier AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Sauvegardes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Une erreur s’est produite lors du téléchargement de votre sauvegarde." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Création de votre sauvegarde..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Une erreur s'est produite lors de la création de votre sauvegarde." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Téléchargement de votre sauvegarde..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Le téléchargement de votre sauvegarde est terminé." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "La sauvegarde dépasse la taille de fichier maximale." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Une erreur s’est produite lors de la tentative de restauration de votre sauvegarde." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gérer les sauvegardes" +msgid "Preview" +msgstr "Aperçu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Visualisation par rayons X" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Traitement des couches" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informations" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Échec de la découpe avec une erreur inattendue. Signalez un bug sur notre outil de suivi des problèmes." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Échec de la découpe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Notifier un bug" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Notifiez un bug sur l'outil de suivi des problèmes d'Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Impossible de découper le matériau actuel, car celui-ci est incompatible avec la machine ou la configuration sélectionnée." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Impossible de découper" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Impossible de couper avec les paramètres actuels. Les paramètres suivants contiennent des erreurs : {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Impossible de couper en raison de certains paramètres par modèle. Les paramètres suivants contiennent des erreurs sur un ou plusieurs modèles : {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Impossible de couper car la tour primaire ou la (les) position(s) d'amorçage ne sont pas valides." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Impossible de couper car il existe des objets associés à l'extrudeuse désactivée %s." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -981,475 +1157,436 @@ msgstr "" "- Sont affectés à un extrudeur activé\n" "- N sont pas tous définis comme des mailles de modificateur" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Traitement des couches" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informations" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Profil Cura" +msgid "AMF File" +msgstr "Fichier AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Fichier G-Code compressé" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Post-traitement" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modifier le G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impression par USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimer via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Imprimer via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Connecté via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Une impression USB est en cours, la fermeture de Cura arrêtera cette impression. Êtes-vous sûr ?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Une impression est encore en cours. Cura ne peut pas démarrer une autre impression via USB tant que l'impression précédente n'est pas terminée." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impression en cours" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Préparer" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Analyse du G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Détails G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Assurez-vous que le g-code est adapté à votre imprimante et à la configuration de l'imprimante avant d'y envoyer le fichier. La représentation du g-code peut ne pas être exacte." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Fichier G" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Image JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Image JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Image PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Image BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Image GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivellement du plateau" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Sélectionner les mises à niveau" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter ne prend pas en charge le mode texte." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Impossible d'accéder aux informations de mise à jour." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "De nouvelles fonctionnalités ou des correctifs de bugs sont disponibles pour votre {machine_name} ! Si vous ne l'avez pas encore fait, il est recommandé de mettre à jour le micrologiciel de votre imprimante avec la version {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Nouveau %s firmware stable disponible" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Comment effectuer la mise à jour" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Mettre à jour le firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Fichier G-Code compressé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter ne prend pas en charge le mode texte." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Fichier GCode" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Analyse du G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Détails G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Assurez-vous que le g-code est adapté à votre imprimante et à la configuration de l'imprimante avant d'y envoyer le fichier. La représentation du g-code peut ne pas être exacte." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Fichier G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter ne prend pas en charge le mode non-texte." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Veuillez préparer le G-Code avant d'exporter." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Image JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Image JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Image PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Image BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Image GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profils Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Paramètres de la machine" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Surveiller" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Paramètres par modèle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Configurer les paramètres par modèle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Post-traitement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modifier le G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Préparer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Aperçu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Enregistrer sur un lecteur amovible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Enregistrer sur un lecteur amovible {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Aucun format de fichier n'est disponible pour écriture !" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Enregistrement sur le lecteur amovible {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Enregistrement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Impossible d'enregistrer {0} : {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Impossible de trouver un nom de fichier lors d'une tentative d'écriture sur {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Impossible d'enregistrer sur le lecteur {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Enregistré sur le lecteur amovible {0} sous {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Fichier enregistré" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Ejecter" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Ejecter le lecteur amovible {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Lecteur {0} éjecté. Vous pouvez maintenant le retirer en tout sécurité." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Retirez le lecteur en toute sécurité" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Impossible d'éjecter {0}. Un autre programme utilise peut-être ce lecteur." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Lecteur amovible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Cura n'affiche pas les couches avec précision lorsque l'impression filaire est activée." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Vue simulation" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Rien ne s'affiche car vous devez d'abord découper." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Pas de couches à afficher" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Ne plus afficher ce message" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Vue en couches" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Impossible de lire le fichier de données d'exemple." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Les zones surlignées indiquent que des surfaces manquent ou sont étrangères. Réparez votre modèle et ouvrez-le à nouveau dans Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Erreurs du modèle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Vue solide" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blocage des supports" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Créer un volume dans lequel les supports ne sont pas imprimés." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Vous souhaitez synchroniser du matériel et des logiciels avec votre compte ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Changements détectés à partir de votre compte Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchroniser" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchronisation..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Refuser" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Accepter" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Plug-in d'accord de licence" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Décliner et supprimer du compte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Vous devez quitter et redémarrer {} avant que les changements apportés ne prennent effet." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Synchronisation..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Changements détectés à partir de votre compte Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Vous souhaitez synchroniser du matériel et des logiciels avec votre compte ?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Synchroniser" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Décliner et supprimer du compte" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "Échec de téléchargement des plugins {}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Ouvrir le maillage triangulaire compressé" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Refuser" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Accepter" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Plug-in d'accord de licence" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter ne prend pas en charge le mode non-texte." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Veuillez préparer le G-Code avant d'exporter." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Cura n'affiche pas les couches avec précision lorsque l'impression filaire est activée." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Vue simulation" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Rien ne s'affiche car vous devez d'abord découper." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Pas de couches à afficher" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Ne plus afficher ce message" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Vue en couches" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF binaire" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Imprimer sur le réseau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF incorporé JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Imprimer sur le réseau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Format Triangle de Stanford" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Connecté sur le réseau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange compressé" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "demain" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Format Package" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "aujourd'hui" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Impossible d'écrire dans le fichier UFP :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Nivellement du plateau" +msgid "Connect via Network" +msgstr "Connecter via le réseau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Veuillez patienter jusqu'à ce que la tâche en cours ait été envoyée." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Erreur d'impression" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "L'envoi de la tâche d'impression à l'imprimante a réussi." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Données envoyées" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Vous tentez de vous connecter à une imprimante qui n'exécute pas Ultimaker Connect. Veuillez mettre à jour l'imprimante avec le dernier micrologiciel." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Mettre à jour votre imprimante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "La file d'attente pour les tâches d'impression est pleine. L'imprimante ne peut pas accepter une nouvelle tâche." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "La file d'attente est pleine" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Lancement d'une tâche d'impression" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Téléchargement de la tâche d'impression sur l'imprimante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura a détecté des profils de matériau qui ne sont pas encore installés sur l'imprimante hôte du groupe {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Envoi de matériaux à l'imprimante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Impossible de transférer les données à l'imprimante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Erreur de réseau" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Vous tentez de vous connecter à {0} mais ce n'est pas l'hôte de groupe. Vous pouvez visiter la page Web pour la configurer en tant qu'hôte de groupe." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Pas un hôte de groupe" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Sélectionner les mises à niveau" +msgid "Configure group" +msgstr "Configurer le groupe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Votre imprimante {printer_name} pourrait être connectée via le cloud.\n" +" Gérez votre file d'attente d'impression et surveillez vos impressions depuis n'importe où en connectant votre imprimante à Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Êtes-vous prêt pour l'impression dans le cloud ?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Prise en main" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "En savoir plus" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Imprimer via le cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Imprimer via le cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Connecté via le cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Surveiller l'impression" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Suivre l'impression dans Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Code d'erreur inconnu lors du téléchargement d'une tâche d'impression : {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Nouvelle imprimante détectée à partir de votre compte Ultimaker" msgstr[1] "Nouvelles imprimantes détectées à partir de votre compte Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Ajout de l'imprimante {name} ({model}) à partir de votre compte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... et {0} autre" msgstr[1] "... et {0} autres" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Imprimantes ajoutées à partir de Digital Factory :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Une connexion cloud n'est pas disponible pour une imprimante" msgstr[1] "Une connexion cloud n'est pas disponible pour certaines imprimantes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Cette imprimante n'est pas associée à Digital Factory :" msgstr[1] "Ces imprimantes ne sont pas associées à Digital Factory :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Pour établir une connexion, veuillez visiter le site {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Conserver les configurations d'imprimante" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Supprimer des imprimantes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "L'imprimante {printer_name} sera supprimée jusqu'à la prochaine synchronisation de compte." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Pour supprimer {printer_name} définitivement, visitez le site {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Voulez-vous vraiment supprimer {printer_name} temporairement ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Supprimer des imprimantes ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1537,7 +1674,7 @@ msgstr[1] "" "Vous êtes sur le point de supprimer {0} imprimantes de Cura. Cette action est irréversible.\n" "Voulez-vous vraiment continuer ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1546,770 +1683,1638 @@ msgstr "" "Vous êtes sur le point de supprimer toutes les imprimantes de Cura. Cette action est irréversible.\n" "Voulez-vous vraiment continuer ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Ouvrir le maillage triangulaire compressé" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF binaire" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF incorporé JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Format Triangle de Stanford" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange compressé" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Les zones surlignées indiquent que des surfaces manquent ou sont étrangères. Réparez votre modèle et ouvrez-le à nouveau dans Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Erreurs du modèle" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Vue solide" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Erreur d'écriture du fichier 3MF." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "Le plug-in 3MF Writer est corrompu." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Aucune autorisation d'écrire l'espace de travail ici." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "Le système d'exploitation ne permet pas d'enregistrer un fichier de projet à cet emplacement ou avec ce nom de fichier." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Fichier 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Projet Cura fichier 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Surveiller" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Assistant de modèle 3D" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "Votre imprimante {printer_name} pourrait être connectée via le cloud.\n Gérez votre file d'attente d'impression et surveillez vos impressions depuis" -" n'importe où en connectant votre imprimante à Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " +msgstr "" +"

    Un ou plusieurs modèles 3D peuvent ne pas s'imprimer de manière optimale en raison de la taille du modèle et de la configuration matérielle :

    \n" +"

    {model_names}

    \n" +"

    Découvrez comment optimiser la qualité et la fiabilité de l'impression.

    \n" +"

    Consultez le guide de qualité d'impression

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Êtes-vous prêt pour l'impression dans le cloud ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Prise en main" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "En savoir plus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Vous tentez de vous connecter à une imprimante qui n'exécute pas Ultimaker Connect. Veuillez mettre à jour l'imprimante avec le dernier micrologiciel." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Mettre à jour votre imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura a détecté des profils de matériau qui ne sont pas encore installés sur l'imprimante hôte du groupe {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Envoi de matériaux à l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Vous tentez de vous connecter à {0} mais ce n'est pas l'hôte de groupe. Vous pouvez visiter la page Web pour la configurer en tant qu'hôte de groupe." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Pas un hôte de groupe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurer le groupe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Veuillez patienter jusqu'à ce que la tâche en cours ait été envoyée." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Erreur d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Impossible de transférer les données à l'imprimante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Erreur de réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Lancement d'une tâche d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Téléchargement de la tâche d'impression sur l'imprimante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "La file d'attente pour les tâches d'impression est pleine. L'imprimante ne peut pas accepter une nouvelle tâche." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "La file d'attente est pleine" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "L'envoi de la tâche d'impression à l'imprimante a réussi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Données envoyées" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Imprimer sur le réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Imprimer sur le réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Connecté sur le réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Connecter via le réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "demain" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "aujourd'hui" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impression par USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimer via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimer via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Connecté via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Une impression USB est en cours, la fermeture de Cura arrêtera cette impression. Êtes-vous sûr ?" +msgid "Mesh Type" +msgstr "Type de maille" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Une impression est encore en cours. Cura ne peut pas démarrer une autre impression via USB tant que l'impression précédente n'est pas terminée." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Modèle normal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impression en cours" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Imprimer comme support" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Modifier les paramètres de chevauchement" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Ne prend pas en charge le chevauchement" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Fichier X3D" +msgid "Infill mesh only" +msgstr "Maille de remplissage uniquement" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Visualisation par rayons X" +msgid "Cutting mesh" +msgstr "Maille de coupe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Certains éléments pourraient causer des problèmes à cette impression. Cliquez pour voir les conseils d'ajustement." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Sélectionner les paramètres" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Sélectionner les paramètres pour personnaliser ce modèle" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrer..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Afficher tout" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Sauvegardes Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Version Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Machines" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Matériaux" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profils" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Plug-ins" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Vous en voulez plus ?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Sauvegarder maintenant" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Sauvegarde automatique" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Créez automatiquement une sauvegarde chaque jour où Cura est démarré." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Restaurer" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Supprimer la sauvegarde" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Êtes-vous sûr de vouloir supprimer cette sauvegarde ? Il est impossible d'annuler cette action." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurer la sauvegarde" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Vous devez redémarrer Cura avant que votre sauvegarde ne soit restaurée. Voulez-vous fermer Cura maintenant ?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Sauvegardez et synchronisez vos paramètres Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Se connecter" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Mes sauvegardes" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Vous n'avez actuellement aucune sauvegarde. Utilisez le bouton « Sauvegarder maintenant » pour en créer une." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Pendant la phase de prévisualisation, vous ne pourrez voir qu'un maximum de 5 sauvegardes. Supprimez une sauvegarde pour voir les plus anciennes." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Paramètres de l'imprimante" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Largeur)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profondeur)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Hauteur)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forme du plateau" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origine au centre" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Plateau chauffant" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume de fabrication chauffant" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Parfum G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Paramètres de la tête d'impression" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Hauteur du portique" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Nombre d'extrudeuses" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Appliquer les décalages offset de l'extrudeuse au GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-Code de démarrage" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-Code de fin" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Paramètres de la buse" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Taille de la buse" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Diamètre du matériau compatible" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Décalage buse X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Décalage buse Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Numéro du ventilateur de refroidissement" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Extrudeuse G-Code de démarrage" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Extrudeuse G-Code de fin" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Imprimante" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Mettre à jour le firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Le firmware est le logiciel fonctionnant directement dans votre imprimante 3D. Ce firmware contrôle les moteurs pas à pas, régule la température et surtout, fait que votre machine fonctionne." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Le firmware fourni avec les nouvelles imprimantes fonctionne, mais les nouvelles versions ont tendance à fournir davantage de fonctionnalités ainsi que des améliorations." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Mise à niveau automatique du firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Charger le firmware personnalisé" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Impossible de se connecter à l'imprimante ; échec de la mise à jour du firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Échec de la mise à jour du firmware, car cette fonctionnalité n'est pas prise en charge par la connexion avec l'imprimante." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Sélectionner le firmware personnalisé" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Mise à jour du firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Mise à jour du firmware en cours." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Mise à jour du firmware terminée." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Échec de la mise à jour du firmware en raison d'une erreur inconnue." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Échec de la mise à jour du firmware en raison d'une erreur de communication." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Échec de la mise à jour du firmware en raison d'une erreur d'entrée/de sortie." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Échec de la mise à jour du firmware en raison du firmware manquant." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Ouvrir un projet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Mettre à jour l'existant" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Créer" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Résumé - Projet Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Paramètres de l'imprimante" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Comment le conflit de la machine doit-il être résolu ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Type" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Groupe d'imprimantes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Paramètres de profil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Comment le conflit du profil doit-il être résolu ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nom" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Absent du profil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 écrasent" msgstr[1] "%1 écrase" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Dérivé de" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 écrasent" msgstr[1] "%1, %2 écrase" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Paramètres du matériau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Comment le conflit du matériau doit-il être résolu ?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilité des paramètres" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mode" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Paramètres visibles :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 sur %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Le chargement d'un projet effacera tous les modèles sur le plateau." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Ouvrir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Vous en voulez plus ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Sauvegarder maintenant" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Sauvegarde automatique" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Créez automatiquement une sauvegarde chaque jour où Cura est démarré." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Supprimer la sauvegarde" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Êtes-vous sûr de vouloir supprimer cette sauvegarde ? Il est impossible d'annuler cette action." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurer la sauvegarde" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Vous devez redémarrer Cura avant que votre sauvegarde ne soit restaurée. Voulez-vous fermer Cura maintenant ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Version Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Machines" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Matériaux" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profils" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Sauvegardes Cura" +msgid "Post Processing Plugin" +msgstr "Plug-in de post-traitement" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Mes sauvegardes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Vous n'avez actuellement aucune sauvegarde. Utilisez le bouton « Sauvegarder maintenant » pour en créer une." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Pendant la phase de prévisualisation, vous ne pourrez voir qu'un maximum de 5 sauvegardes. Supprimez une sauvegarde pour voir les plus anciennes." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Sauvegardez et synchronisez vos paramètres Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Se connecter" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Mettre à jour le firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Le firmware est le logiciel fonctionnant directement dans votre imprimante 3D. Ce firmware contrôle les moteurs pas à pas, régule la température et surtout, fait que votre machine fonctionne." +msgid "Post Processing Scripts" +msgstr "Scripts de post-traitement" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Ajouter un script" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Le firmware fourni avec les nouvelles imprimantes fonctionne, mais les nouvelles versions ont tendance à fournir davantage de fonctionnalités ainsi que des améliorations." +msgid "Settings" +msgstr "Paramètres" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Mise à niveau automatique du firmware" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Modifiez les scripts de post-traitement actifs." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Charger le firmware personnalisé" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "Le script suivant est actif :" +msgstr[1] "Les scripts suivants sont actifs :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Impossible de se connecter à l'imprimante ; échec de la mise à jour du firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Échec de la mise à jour du firmware, car cette fonctionnalité n'est pas prise en charge par la connexion avec l'imprimante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Sélectionner le firmware personnalisé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Mise à jour du firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Mise à jour du firmware en cours." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Mise à jour du firmware terminée." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Échec de la mise à jour du firmware en raison d'une erreur inconnue." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Échec de la mise à jour du firmware en raison d'une erreur de communication." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Échec de la mise à jour du firmware en raison d'une erreur d'entrée/de sortie." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Échec de la mise à jour du firmware en raison du firmware manquant." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Conversion de l'image..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "La distance maximale de chaque pixel à partir de la « Base »." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Hauteur (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "La hauteur de la base à partir du plateau en millimètres." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Base (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "La largeur en millimètres sur le plateau." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Largeur (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "La profondeur en millimètres sur le plateau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Profondeur (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Pour les lithophanies, les pixels foncés doivent correspondre à des emplacements plus épais afin d'empêcher la lumière de passer. Pour des cartes de hauteur, les pixels clairs signifient un terrain plus élevé, de sorte que les pixels clairs doivent correspondre à des emplacements plus épais dans le modèle 3D généré." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Le plus foncé est plus haut" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Le plus clair est plus haut" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Pour les lithophanes, un modèle logarithmique simple de la translucidité est disponible. Pour les cartes de hauteur, les valeurs des pixels correspondent aux hauteurs de façon linéaire." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Linéaire" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Translucidité" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "Le pourcentage de lumière pénétrant une impression avec une épaisseur de 1 millimètre. La diminution de cette valeur augmente le contraste dans les régions sombres et diminue le contraste dans les régions claires de l'image." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "Transmission 1 mm (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "La quantité de lissage à appliquer à l'image." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Lissage" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Sélectionnez les mises à niveau disponibles pour cet Ultimaker Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Plateau chauffant (kit officiel ou fabriqué soi-même)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Nivellement du plateau" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Pour obtenir des résultats d'impression optimaux, vous pouvez maintenant régler votre plateau. Quand vous cliquez sur 'Aller à la position suivante', la buse se déplacera vers les différentes positions pouvant être réglées." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Pour chacune des positions ; glissez un bout de papier sous la buse et ajustez la hauteur du plateau. La hauteur du plateau est juste lorsque la pointe de la buse gratte légèrement le papier." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Démarrer le nivellement du plateau" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Aller à la position suivante" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Plus d'informations sur la collecte de données anonymes" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura recueille des données anonymes afin d'améliorer la qualité d'impression et l'expérience utilisateur. Voici un exemple de toutes les données partagées :" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Je ne veux pas envoyer de données anonymes" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Autoriser l'envoi de données anonymes" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Marché en ligne" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Vous devez redémarrer Cura pour que les changements apportés aux paquets ne prennent effet." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Quitter %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Installer" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Installé" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Aller sur le Marché en ligne" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Rechercher des matériaux" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Compatibilité" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Machine" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Plateau" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Support" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Qualité" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Fiche technique" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Fiche de sécurité" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Directives d'impression" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Site Internet" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Connexion nécessaire pour l'installation ou la mise à jour" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Acheter des bobines de matériau" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Mise à jour" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Mise à jour" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Mis à jour" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Précédent" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Imprimante" +msgid "Plugins" +msgstr "Plug-ins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Paramètres de la buse" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Matériaux" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Installé" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Taille de la buse" +msgid "Will install upon restarting" +msgstr "S'installera au redémarrage" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Connexion nécessaire pour effectuer la mise à jour" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Revenir à une version précédente" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Désinstaller" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Contributions de la communauté" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diamètre du matériau compatible" +msgid "Community Plugins" +msgstr "Plug-ins de la communauté" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Décalage buse X" +msgid "Generic Materials" +msgstr "Matériaux génériques" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Récupération des paquets..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Décalage buse Y" +msgid "Website" +msgstr "Site Internet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Numéro du ventilateur de refroidissement" +msgid "Email" +msgstr "E-mail" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Extrudeuse G-Code de démarrage" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Veuillez vous connecter pour obtenir les plug-ins et matériaux vérifiés pour Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Extrudeuse G-Code de fin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Paramètres de l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Largeur)" +msgid "Version" +msgstr "Version" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profondeur)" +msgid "Last updated" +msgstr "Dernière mise à jour" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Hauteur)" +msgid "Brand" +msgstr "Marque" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Forme du plateau" +msgid "Downloads" +msgstr "Téléchargements" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Plug-ins installés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Aucun plug-in n'a été installé." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Matériaux installés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Aucun matériau n'a été installé." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Plug-ins groupés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Matériaux groupés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Impossible de se connecter à la base de données Cura Package. Veuillez vérifier votre connexion." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Origine au centre" +msgid "You need to accept the license to install the package" +msgstr "Vous devez accepter la licence pour installer le package" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Changements à partir de votre compte" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Ignorer" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Suivant" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Plateau chauffant" +msgid "The following packages will be added:" +msgstr "Les packages suivants seront ajoutés :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume de fabrication chauffant" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Les packages suivants ne peuvent pas être installés en raison d'une version incompatible de Cura :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Confirmer la désinstallation" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Vous désinstallez des matériaux et/ou des profils qui sont encore en cours d'utilisation. La confirmation réinitialisera les matériaux / profils suivants à leurs valeurs par défaut." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Matériaux" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profils" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Confirmer" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Parfum G-Code" +msgid "Color scheme" +msgstr "Modèle de couleurs" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Paramètres de la tête d'impression" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Couleur du matériau" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Type de ligne" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Vitesse" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Épaisseur de la couche" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Largeur de ligne" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Débit" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X min" +msgid "Compatibility Mode" +msgstr "Mode de compatibilité" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y min" +msgid "Travels" +msgstr "Déplacements" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X max" +msgid "Helpers" +msgstr "Aides" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y max" +msgid "Shell" +msgstr "Coque" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Hauteur du portique" +msgid "Infill" +msgstr "Remplissage" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Nombre d'extrudeuses" +msgid "Starts" +msgstr "Démarre" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Appliquer les décalages offset de l'extrudeuse au GCode" +msgid "Only Show Top Layers" +msgstr "Afficher uniquement les couches supérieures" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-Code de démarrage" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Afficher 5 niveaux détaillés en haut" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-Code de fin" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Haut / bas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Paroi interne" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Gérer l'imprimante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Verre" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Veuillez mettre à jour le Firmware de votre imprimante pour gérer la file d'attente à distance." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Les flux de webcam des imprimantes cloud ne peuvent pas être visualisés depuis Ultimaker Cura. Cliquez sur « Gérer l'imprimante » pour visiter Ultimaker Digital Factory et voir cette webcam." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Chargement..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Indisponible" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Injoignable" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Inactif" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Préparation..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Impression" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Sans titre" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anonyme" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Nécessite des modifications de configuration" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Détails" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Imprimante indisponible" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Premier disponible" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Mis en file d'attente" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Gérer dans le navigateur" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Il n'y a pas de travaux d'impression dans la file d'attente. Découpez et envoyez une tache pour en ajouter une." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Tâches d'impression" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Temps total d'impression" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Attente de" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimer sur le réseau" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimer" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Sélection d'imprimantes" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Modifications de configuration" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Remplacer" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "L'imprimante assignée, %1, nécessite la modification de configuration suivante :" +msgstr[1] "L'imprimante assignée, %1, nécessite les modifications de configuration suivantes :" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "L'imprimante %1 est assignée, mais le projet contient une configuration matérielle inconnue." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Changer le matériau %1 de %2 à %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Charger %3 comme matériau %1 (Ceci ne peut pas être remplacé)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Changer le print core %1 de %2 à %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Changer le plateau en %1 (Ceci ne peut pas être remplacé)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Si vous sélectionnez « Remplacer », les paramètres de la configuration actuelle de l'imprimante seront utilisés. Cela peut entraîner l'échec de l'impression." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Aluminium" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Terminé" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Abandon..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Abandonné" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Mise en pause..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "En pause" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Reprise..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Action requise" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Finit %1 à %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Connecter à l'imprimante en réseau" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Pour imprimer directement sur votre imprimante via le réseau, assurez-vous que votre imprimante est connectée au réseau via un câble Ethernet ou en connectant votre imprimante à votre réseau Wi-Fi. Si vous ne connectez pas Cura avec votre imprimante, vous pouvez utiliser une clé USB pour transférer les fichiers g-code sur votre imprimante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Sélectionnez votre imprimante dans la liste ci-dessous :" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Modifier" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Supprimer" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Rafraîchir" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Si votre imprimante n'apparaît pas dans la liste, lisez le guide de dépannage de l'impression en réseau" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Type" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Version du firmware" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Adresse" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Cette imprimante n'est pas configurée pour héberger un groupe d'imprimantes." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Cette imprimante est l'hôte d'un groupe d'imprimantes %1." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "L'imprimante à cette adresse n'a pas encore répondu." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Connecter" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Adresse IP non valide" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Veuillez saisir une adresse IP valide." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Adresse de l'imprimante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Saisissez l'adresse IP de votre imprimante sur le réseau." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Déplacer l'impression en haut" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Effacer" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Reprendre" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Mise en pause..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Reprise..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pause" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Abandon..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Abandonner" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Êtes-vous sûr de vouloir déplacer %1 en haut de la file d'attente ?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Déplacer l'impression en haut de la file d'attente" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Êtes-vous sûr de vouloir supprimer %1 ?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Supprimer l'impression" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Êtes-vous sûr de vouloir annuler %1 ?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Abandonner l'impression" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2321,1489 +3326,435 @@ msgstr "" "- Vérifiez si l'imprimante est sous tension.\n" "- Vérifiez si l'imprimante est connectée au réseau.- Vérifiez si vous êtes connecté pour découvrir les imprimantes connectées au cloud." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Veuillez connecter votre imprimante au réseau." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Voir les manuels d'utilisation en ligne" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Pour surveiller votre impression depuis Cura, veuillez connecter l'imprimante." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Type de maille" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modèle normal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimer comme support" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modifier les paramètres de chevauchement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Ne prend pas en charge le chevauchement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Maille de remplissage uniquement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Maille de coupe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Sélectionner les paramètres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Sélectionner les paramètres pour personnaliser ce modèle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrer..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Afficher tout" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in de post-traitement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts de post-traitement" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Ajouter un script" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Paramètres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Modifiez les scripts de post-traitement actifs." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Certains éléments pourraient causer des problèmes à cette impression. Cliquez pour voir les conseils d'ajustement." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Le script suivant est actif :" -msgstr[1] "Les scripts suivants sont actifs :" +msgid "3D View" +msgstr "Vue 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Modèle de couleurs" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Couleur du matériau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Type de ligne" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Vitesse" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Épaisseur de la couche" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Largeur de ligne" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Débit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Mode de compatibilité" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Déplacements" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Aides" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Coque" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Remplissage" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Démarre" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Afficher uniquement les couches supérieures" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Afficher 5 niveaux détaillés en haut" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Haut / bas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Paroi interne" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Plus d'informations sur la collecte de données anonymes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura recueille des données anonymes afin d'améliorer la qualité d'impression et l'expérience utilisateur. Voici un exemple de toutes les données partagées :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Je ne veux pas envoyer de données anonymes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Autoriser l'envoi de données anonymes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Précédent" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilité" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Machine" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Plateau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Support" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualité" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Fiche technique" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Fiche de sécurité" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Directives d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Site Internet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Installé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Connexion nécessaire pour l'installation ou la mise à jour" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Acheter des bobines de matériau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Mise à jour" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Mise à jour" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Mis à jour" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Aller sur le Marché en ligne" +msgid "Front View" +msgstr "Vue de face" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Vue du dessus" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Vue gauche" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Vue droite" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Rechercher des matériaux" +msgid "Object list" +msgstr "Liste d'objets" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Vous devez redémarrer Cura pour que les changements apportés aux paquets ne prennent effet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Quitter %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Matériaux" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Installé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "S'installera au redémarrage" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Connexion nécessaire pour effectuer la mise à jour" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Revenir à une version précédente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Désinstaller" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Changements à partir de votre compte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Ignorer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Suivant" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Les packages suivants seront ajoutés :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Les packages suivants ne peuvent pas être installés en raison d'une version incompatible de Cura :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirmer la désinstallation" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Vous désinstallez des matériaux et/ou des profils qui sont encore en cours d'utilisation. La confirmation réinitialisera les matériaux / profils suivants à leurs valeurs par défaut." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Matériaux" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profils" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Vous devez accepter la licence pour installer le package" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Site Internet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Version" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Dernière mise à jour" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marque" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Téléchargements" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contributions de la communauté" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Plug-ins de la communauté" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Matériaux génériques" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Impossible de se connecter à la base de données Cura Package. Veuillez vérifier votre connexion." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Plug-ins installés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Aucun plug-in n'a été installé." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Matériaux installés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Aucun matériau n'a été installé." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Plug-ins groupés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Matériaux groupés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Récupération des paquets..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Veuillez vous connecter pour obtenir les plug-ins et matériaux vérifiés pour Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Marché en ligne" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivellement du plateau" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Fichier" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Pour obtenir des résultats d'impression optimaux, vous pouvez maintenant régler votre plateau. Quand vous cliquez sur 'Aller à la position suivante', la buse se déplacera vers les différentes positions pouvant être réglées." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Modifier" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Pour chacune des positions ; glissez un bout de papier sous la buse et ajustez la hauteur du plateau. La hauteur du plateau est juste lorsque la pointe de la buse gratte légèrement le papier." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Visualisation" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Démarrer le nivellement du plateau" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Paramètres" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Aller à la position suivante" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensions" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Sélectionnez les mises à niveau disponibles pour cet Ultimaker Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&références" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Plateau chauffant (kit officiel ou fabriqué soi-même)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Aide" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Connecter à l'imprimante en réseau" +msgid "New project" +msgstr "Nouveau projet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Pour imprimer directement sur votre imprimante via le réseau, assurez-vous que votre imprimante est connectée au réseau via un câble Ethernet ou en connectant votre imprimante à votre réseau Wi-Fi. Si vous ne connectez pas Cura avec votre imprimante, vous pouvez utiliser une clé USB pour transférer les fichiers g-code sur votre imprimante." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Êtes-vous sûr(e) de souhaiter lancer un nouveau projet ? Cela supprimera les objets du plateau ainsi que tous paramètres non enregistrés." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Sélectionnez votre imprimante dans la liste ci-dessous :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Modifier" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Supprimer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Rafraîchir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Si votre imprimante n'apparaît pas dans la liste, lisez le guide de dépannage de l'impression en réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Type" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Version du firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adresse" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Cette imprimante n'est pas configurée pour héberger un groupe d'imprimantes." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Cette imprimante est l'hôte d'un groupe d'imprimantes %1." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "L'imprimante à cette adresse n'a pas encore répondu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Connecter" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Adresse IP non valide" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Veuillez saisir une adresse IP valide." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Adresse de l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Saisissez l'adresse IP de votre imprimante sur le réseau." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Modifications de configuration" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Remplacer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "L'imprimante assignée, %1, nécessite la modification de configuration suivante :" -msgstr[1] "L'imprimante assignée, %1, nécessite les modifications de configuration suivantes :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "L'imprimante %1 est assignée, mais le projet contient une configuration matérielle inconnue." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Changer le matériau %1 de %2 à %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Charger %3 comme matériau %1 (Ceci ne peut pas être remplacé)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Changer le print core %1 de %2 à %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Changer le plateau en %1 (Ceci ne peut pas être remplacé)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Si vous sélectionnez « Remplacer », les paramètres de la configuration actuelle de l'imprimante seront utilisés. Cela peut entraîner l'échec de l'impression." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Verre" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Déplacer l'impression en haut" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Effacer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Reprendre" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Mise en pause..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Reprise..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pause" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Abandon..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Abandonner" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Êtes-vous sûr de vouloir déplacer %1 en haut de la file d'attente ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Déplacer l'impression en haut de la file d'attente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Êtes-vous sûr de vouloir supprimer %1 ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Supprimer l'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Êtes-vous sûr de vouloir annuler %1 ?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Abandonner l'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gérer l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Veuillez mettre à jour le Firmware de votre imprimante pour gérer la file d'attente à distance." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Les flux de webcam des imprimantes cloud ne peuvent pas être visualisés depuis Ultimaker Cura. Cliquez sur « Gérer l'imprimante » pour visiter Ultimaker" -" Digital Factory et voir cette webcam." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Chargement..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Indisponible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Injoignable" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Inactif" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Préparation..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sans titre" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonyme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Nécessite des modifications de configuration" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Détails" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Imprimante indisponible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Premier disponible" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Abandonné" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Terminé" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Abandon..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Mise en pause..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "En pause" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Reprise..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Action requise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Finit %1 à %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Mis en file d'attente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gérer dans le navigateur" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Il n'y a pas de travaux d'impression dans la file d'attente. Découpez et envoyez une tache pour en ajouter une." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Tâches d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Temps total d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Attente de" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimer sur le réseau" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Sélection d'imprimantes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Se connecter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Connectez-vous à la plateforme Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Ajoutez des profils de matériaux et des plug-ins à partir de la Marketplace\n" -"- Sauvegardez et synchronisez vos profils de matériaux et vos plug-ins\n" -"- Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Créez gratuitement un compte Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Vérification en cours..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Compte synchronisé" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Un problème s'est produit..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Installer les mises à jour en attente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Rechercher des mises à jour de compte" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Dernière mise à jour : %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Compte Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Déconnexion" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Aucune estimation de la durée n'est disponible" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Aucune estimation des coûts n'est disponible" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Aperçu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimation de durée" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimation du matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Découpe en cours..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Impossible de découper" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Traitement" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Découper" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Démarrer le processus de découpe" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Annuler" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Afficher le guide de dépannage en ligne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Passer en Plein écran" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Quitter le mode plein écran" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Annuler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Rétablir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Quitter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Vue 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Vue de face" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Vue du dessus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Vue de dessous" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Vue latérale gauche" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Vue latérale droite" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configurer Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Ajouter une imprimante..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Gérer les &imprimantes..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Gérer les matériaux..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Ajouter d'autres matériaux du Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Mettre à jour le profil à l'aide des paramètres / forçages actuels" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Ignorer les modifications actuelles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Créer un profil à partir des paramètres / forçages actuels..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Gérer les profils..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Afficher la &documentation en ligne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Notifier un &bug" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Quoi de neuf" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "À propos de..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Supprimer la sélection" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centrer la sélection" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Multiplier la sélection" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Supprimer le modèle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ce&ntrer le modèle sur le plateau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Grouper les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Dégrouper les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Fusionner les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Multiplier le modèle..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Sélectionner tous les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Supprimer les objets du plateau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Recharger tous les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Réorganiser tous les modèles sur tous les plateaux" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Réorganiser tous les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Réorganiser la sélection" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Réinitialiser toutes les positions des modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Réinitialiser tous les modèles et transformations" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Ouvrir le(s) fichier(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nouveau projet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Afficher le dossier de configuration" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configurer la visibilité des paramètres..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marché en ligne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Mes imprimantes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Surveillez les imprimantes dans Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Créez des projets d'impression dans Digital Library." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Tâches d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Surveillez les tâches d'impression et réimprimez à partir de votre historique d'impression." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Étendez Ultimaker Cura avec des plug-ins et des profils de matériaux." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Devenez un expert de l'impression 3D avec les cours de formation en ligne Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Assistance ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Découvrez comment utiliser Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Posez une question" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Consultez la communauté Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Notifier un bug" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Informez les développeurs en cas de problème." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Visitez le site web Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Ce paquet sera installé après le redémarrage." +msgid "Time estimation" +msgstr "Estimation de durée" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Général" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Estimation du matériau" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Paramètres" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Imprimantes" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profils" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Aucune estimation de la durée n'est disponible" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Fermeture de %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Aucune estimation des coûts n'est disponible" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Voulez-vous vraiment quitter %1 ?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Aperçu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Ouvrir le(s) fichier(s)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Installer le paquet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Ouvrir le(s) fichier(s)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Nous avons trouvé au moins un fichier G-Code parmi les fichiers que vous avez sélectionné. Vous ne pouvez ouvrir qu'un seul fichier G-Code à la fois. Si vous souhaitez ouvrir un fichier G-Code, veuillez ne sélectionner qu'un seul fichier de ce type." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "Ajouter une imprimante" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" -msgid "What's New" -msgstr "Quoi de neuf" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Ajouter une imprimante en réseau" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Ajouter une imprimante hors réseau" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Ajouter une imprimante cloud" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "En attente d'une réponse cloud" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Aucune imprimante trouvée dans votre compte ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Les imprimantes suivantes de votre compte ont été ajoutées à Cura :" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Ajouter l'imprimante manuellement" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Ajouter une imprimante par adresse IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Saisissez l'adresse IP de votre imprimante." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Ajouter" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Impossible de se connecter à l'appareil." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Impossible de vous connecter à votre imprimante Ultimaker ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "L'imprimante à cette adresse n'a pas encore répondu." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Cette imprimante ne peut pas être ajoutée parce qu'il s'agit d'une imprimante inconnue ou de l'hôte d'un groupe." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Précédent" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Se connecter" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Accord utilisateur" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Décliner et fermer" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Bienvenue dans Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Veuillez suivre ces étapes pour configurer\n" +"Ultimaker Cura. Cela ne prendra que quelques instants." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Prise en main" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Connectez-vous à la plateforme Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Ajoutez des paramètres de matériaux et des plug-ins depuis la Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Sauvegardez et synchronisez vos paramètres de matériaux et vos plug-ins" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Ignorer" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Créez gratuitement un compte Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Fabricant" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Auteur du profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nom de l'imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Veuillez nommer votre imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Aucune imprimante n'a été trouvée sur votre réseau." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Rafraîchir" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Ajouter une imprimante par IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Ajouter une imprimante cloud" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Dépannage" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Aidez-nous à améliorer Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura recueille des données anonymes pour améliorer la qualité d'impression et l'expérience utilisateur, notamment :" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Types de machines" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Utilisation du matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Nombre de découpes" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Paramètres d'impression" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Les données recueillies par Ultimaker Cura ne contiendront aucun renseignement personnel." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Plus d'informations" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" +msgid "What's New" +msgstr "Nouveautés" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Vide" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Notes de version" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "À propos de %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "version : %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Solution complète pour l'impression 3D par dépôt de filament fondu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3812,183 +3763,204 @@ msgstr "" "Cura a été développé par Ultimaker B.V. en coopération avec la communauté Ultimaker.\n" "Cura est fier d'utiliser les projets open source suivants :" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Interface utilisateur graphique" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Cadre d'application" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Générateur G-Code" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Bibliothèque de communication interprocess" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Langage de programmation" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "Cadre IUG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Liens cadre IUG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Bibliothèque C/C++ Binding" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Format d'échange de données" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Prise en charge de la bibliothèque pour le calcul scientifique" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Prise en charge de la bibliothèque pour des maths plus rapides" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Prise en charge de la bibliothèque pour le traitement des fichiers STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Prise en charge de la bibliothèque pour le traitement des objets planaires" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Prise en charge de la bibliothèque pour le traitement des mailles triangulaires" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Prise en charge de la bibliothèque pour le traitement des fichiers 3MF" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Prise en charge de la bibliothèque pour les métadonnées et le streaming de fichiers" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Bibliothèque de communication série" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Bibliothèque de découverte ZeroConf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Bibliothèque de découpe polygone" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Vérificateur de type statique pour Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Certificats racines pour valider la fiabilité SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Bibliothèque de suivi des erreurs Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Bibliothèque d'emballage de polygones, développée par Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Liens en python pour libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Bibliothèque de support pour l'accès au trousseau de clés du système" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Extensions Python pour Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Police" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Icônes SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Déploiement d'applications sur multiples distributions Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Ouvrir un fichier de projet" +msgid "Open file(s)" +msgstr "Ouvrir le(s) fichier(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Ceci est un fichier de projet Cura. Souhaitez-vous l'ouvrir comme projet ou en importer les modèles ?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Nous avons trouvé au moins un fichier de projet parmi les fichiers que vous avez sélectionnés. Vous ne pouvez ouvrir qu'un seul fichier de projet à la fois. Nous vous conseillons de n'importer que les modèles de ces fichiers. Souhaitez-vous continuer ?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Se souvenir de mon choix" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Ouvrir comme projet" +msgid "Import all as models" +msgstr "Importer tout comme modèles" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Enregistrer le projet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrudeuse %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Ne pas afficher à nouveau le résumé du projet lors de l'enregistrement" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importer les modèles" +msgid "Save" +msgstr "Enregistrer" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Annuler ou conserver les modifications" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3999,1251 +3971,144 @@ msgstr "" "Souhaitez-vous conserver ces paramètres modifiés après avoir changé de profil ?\n" "Vous pouvez également annuler les modifications pour charger les valeurs par défaut de '%1'." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Paramètres du profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Modifications actuelles" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Toujours me demander" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Annuler et ne plus me demander" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Conserver et ne plus me demander" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Annuler les modifications" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Conserver les modifications" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Ouvrir un fichier de projet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Nous avons trouvé au moins un fichier de projet parmi les fichiers que vous avez sélectionnés. Vous ne pouvez ouvrir qu'un seul fichier de projet à la fois. Nous vous conseillons de n'importer que les modèles de ces fichiers. Souhaitez-vous continuer ?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Ceci est un fichier de projet Cura. Souhaitez-vous l'ouvrir comme projet ou en importer les modèles ?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Se souvenir de mon choix" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importer tout comme modèles" +msgid "Open as project" +msgstr "Ouvrir comme projet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Enregistrer le projet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrudeuse %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Ne pas afficher à nouveau le résumé du projet lors de l'enregistrement" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Enregistrer" +msgid "Import models" +msgstr "Importer les modèles" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Imprimer le modèle sélectionné avec %1" -msgstr[1] "Imprimer les modèles sélectionnés avec %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sans titre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Fichier" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Modifier" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Visualisation" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Paramètres" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensions" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&références" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Aide" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Nouveau projet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Êtes-vous sûr(e) de souhaiter lancer un nouveau projet ? Cela supprimera les objets du plateau ainsi que tous paramètres non enregistrés." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marché en ligne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurations" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Cette configuration n'est pas disponible car %1 n'est pas reconnu. Veuillez visiter %2 pour télécharger le profil matériel correct." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marché en ligne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Chargement des configurations disponibles à partir de l'imprimante..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Les configurations ne sont pas disponibles car l'imprimante est déconnectée." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Sélectionner la configuration" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurations" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personnalisé" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Activé" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Utiliser de la colle pour une meilleure adhérence avec cette combinaison de matériaux." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Imprimer le modèle sélectionné avec :" -msgstr[1] "Imprimer les modèles sélectionnés avec :" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Multiplier le modèle sélectionné" -msgstr[1] "Multiplier les modèles sélectionnés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Nombre de copies" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Enregistrer le projet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "E&xporter..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exporter la sélection..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoris" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Générique" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Ouvrir le(s) fichier(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Imprimantes réseau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Imprimantes locales" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Ouvrir un fichier &récent" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Sauvegarder le projet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Im&primante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Définir comme extrudeur actif" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Activer l'extrudeuse" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Désactiver l'extrudeuse" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Paramètres visibles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Réduire toutes les catégories" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gérer la visibilité des paramètres..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Position de la &caméra" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Vue de la caméra" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspective" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Orthographique" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Plateau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Non connecté à une imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "L'imprimante n'accepte pas les commandes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "En maintenance. Vérifiez l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Connexion avec l'imprimante perdue" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Impression..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "En pause" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Préparation..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Supprimez l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Abandonner l'impression" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Êtes-vous sûr(e) de vouloir abandonner l'impression ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Est imprimé comme support." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "D'autres modèles qui se chevauchent avec ce modèle ont été modifiés." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Le chevauchement de remplissage avec ce modèle a été modifié." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Les chevauchements avec ce modèle ne sont pas pris en charge." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Remplace le paramètre %1." -msgstr[1] "Remplace les paramètres %1." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Liste d'objets" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interface" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Devise :" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Thème :" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Vous devez redémarrer l'application pour que ces changements prennent effet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Découper automatiquement si les paramètres sont modifiés." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Découper automatiquement" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportement Viewport" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Surligne les parties non supportées du modèle en rouge. Sans ajouter de support, ces zones ne s'imprimeront pas correctement." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Mettre en surbrillance les porte-à-faux" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Surlignez les surfaces du modèle manquantes ou étrangères en utilisant les signes d'avertissement. Les Toolpaths seront souvent les parties manquantes de la géométrie prévue." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Afficher les erreurs du modèle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Déplace la caméra afin que le modèle sélectionné se trouve au centre de la vue" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centrer la caméra lorsqu'un élément est sélectionné" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Le comportement de zoom par défaut de Cura doit-il être inversé ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Inverser la direction du zoom de la caméra." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Le zoom doit-il se faire dans la direction de la souris ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Le zoom vers la souris n'est pas pris en charge dans la perspective orthographique." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoomer vers la direction de la souris" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Les modèles dans la zone d'impression doivent-ils être déplacés afin de ne plus se croiser ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Veillez à ce que les modèles restent séparés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Les modèles dans la zone d'impression doivent-ils être abaissés afin de toucher le plateau ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Abaisser automatiquement les modèles sur le plateau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Afficher le message d'avertissement dans le lecteur G-Code." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Message d'avertissement dans le lecteur G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "La couche doit-elle être forcée en mode de compatibilité ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forcer l'affichage de la couche en mode de compatibilité (redémarrage requis)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Est-ce que Cura devrait ouvrir à l'endroit où il a été fermé ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Restaurer la position de la fenêtre au démarrage" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Quel type de rendu de la caméra doit-il être utilisé?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Rendu caméra :" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspective" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Orthographique" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Ouvrir et enregistrer des fichiers" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "L'ouverture de fichiers à partir du bureau ou d'applications externes doit-elle se faire dans la même instance de Cura ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utiliser une seule instance de Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Les objets doivent-ils être supprimés du plateau de fabrication avant de charger un nouveau modèle dans l'instance unique de Cura ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Supprimez les objets du plateau de fabrication avant de charger un modèle dans l'instance unique" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Les modèles doivent-ils être mis à l'échelle du volume d'impression s'ils sont trop grands ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Réduire la taille des modèles trop grands" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Un modèle peut apparaître en tout petit si son unité est par exemple en mètres plutôt qu'en millimètres. Ces modèles doivent-ils être agrandis ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Mettre à l'échelle les modèles extrêmement petits" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Les modèles doivent-ils être sélectionnés après leur chargement ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Sélectionner les modèles lorsqu'ils sont chargés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Un préfixe basé sur le nom de l'imprimante doit-il être automatiquement ajouté au nom de la tâche d'impression ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Ajouter le préfixe de la machine au nom de la tâche" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Un résumé doit-il être affiché lors de l'enregistrement d'un fichier de projet ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Afficher la boîte de dialogue du résumé lors de l'enregistrement du projet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet : " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Toujours me demander" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Toujours ouvrir comme projet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Toujours importer les modèles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Lorsque vous apportez des modifications à un profil puis passez à un autre profil, une boîte de dialogue apparaît, vous demandant si vous souhaitez conserver les modifications. Vous pouvez aussi choisir une option par défaut, et le dialogue ne s'affichera plus." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profils" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Comportement par défaut pour les valeurs de paramètres modifiées lors du passage à un profil différent : " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Toujours rejeter les paramètres modifiés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Toujours transférer les paramètres modifiés dans le nouveau profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Confidentialité" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Les données anonymes de votre impression doivent-elles être envoyées à Ultimaker ? Notez qu'aucun modèle, aucune adresse IP ni aucune autre information permettant de vous identifier personnellement ne seront envoyés ou stockés." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Envoyer des informations (anonymes) sur l'impression" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Plus d'informations" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Mises à jour" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Cura doit-il vérifier les mises à jour au démarrage du programme ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Vérifier les mises à jour au démarrage" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Lorsque vous vérifiez les mises à jour, ne vérifiez que les versions stables." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Uniquement les versions stables" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Lorsque vous recherchez des mises à jour, vérifiez à la fois les versions stables et les versions bêta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Versions stables et bêta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Une vérification automatique des nouveaux plugins doit-elle être effectuée à chaque fois que Cura est lancé ? Il est fortement recommandé de ne pas désactiver cette fonction !" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Recevoir des notifications pour les mises à jour des plugins" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Activer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Renommer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Créer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Dupliquer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exporter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Synchroniser les imprimantes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmer la suppression" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Êtes-vous sûr de vouloir supprimer l'objet %1 ? Vous ne pourrez pas revenir en arrière !" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importer un matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Impossible d'importer le matériau %1 : %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Matériau %1 importé avec succès" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exporter un matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Échec de l'exportation de matériau vers %1 : %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Matériau exporté avec succès vers %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Exporter tous les matériaux" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informations" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmer le changement de diamètre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Le nouveau diamètre de filament est réglé sur %1 mm, ce qui n'est pas compatible avec l'extrudeuse actuelle. Souhaitez-vous poursuivre ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Afficher le nom" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Type de matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Couleur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propriétés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densité" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diamètre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Coût du filament" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Poids du filament" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Longueur du filament" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Coût au mètre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Ce matériau est lié à %1 et partage certaines de ses propriétés." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Délier le matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Description" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informations d'adhérence" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Paramètres d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Créer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Dupliquer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Créer un profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Veuillez fournir un nom pour ce profil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Dupliquer un profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Renommer le profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importer un profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exporter un profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Imprimante : %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Mettre à jour le profil à l'aide des paramètres / forçages actuels" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Ignorer les modifications actuelles" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Ce profil utilise les paramètres par défaut spécifiés par l'imprimante, de sorte qu'aucun paramètre / forçage n'apparaît dans la liste ci-dessous." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Vos paramètres actuels correspondent au profil sélectionné." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Paramètres généraux" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Paramètre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Actuel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unité" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilité des paramètres" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Vérifier tout" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extrudeuse" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Température cible de l'extrémité chauffante. L'extrémité chauffante sera chauffée ou refroidie pour tendre vers cette température. Si la valeur est 0, le chauffage de l'extrémité chauffante sera coupé." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Température actuelle de cette extrémité chauffante." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Température jusqu'à laquelle préchauffer l'extrémité chauffante." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Annuler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Préchauffer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Préchauffez l'extrémité chauffante avant l'impression. Vous pouvez continuer l'ajustement de votre impression pendant qu'elle chauffe, ce qui vous évitera un temps d'attente lorsque vous serez prêt à lancer l'impression." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Couleur du matériau dans cet extrudeur." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Matériau dans cet extrudeur." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Buse insérée dans cet extrudeur." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Plateau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Température cible du plateau chauffant. Le plateau sera chauffé ou refroidi pour tendre vers cette température. Si la valeur est 0, le chauffage du plateau sera éteint." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Température actuelle du plateau chauffant." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Température jusqu'à laquelle préchauffer le plateau." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Préchauffez le plateau avant l'impression. Vous pouvez continuer à ajuster votre impression pendant qu'il chauffe, et vous n'aurez pas à attendre que le plateau chauffe lorsque vous serez prêt à lancer l'impression." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Contrôle de l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Position de coupe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Distance de coupe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Envoyer G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Envoyer une commande G-Code personnalisée à l'imprimante connectée. Appuyez sur « Entrée » pour envoyer la commande." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "L'imprimante n'est pas connectée." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "L'imprimante cloud est hors ligne. Veuillez vérifier si l'imprimante est activée et connectée à Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Cette imprimante n'est pas associée à votre compte. Veuillez visiter l'Ultimaker Digital Factory pour établir une connexion." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "La connexion cloud est actuellement indisponible. Veuillez vous connecter pour connecter l'imprimante cloud." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "La connexion cloud est actuellement indisponible. Veuillez vérifier votre connexion Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Ajouter une imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gérer les imprimantes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Imprimantes connectées" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Imprimantes préréglées" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Activer l'impression" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Nom de la tâche" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Durée d'impression" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Durée restante estimée" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "L'imprimante cloud est hors ligne. Veuillez vérifier si l'imprimante est activée et connectée à Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Cette imprimante n'est pas associée à votre compte. Veuillez visiter l'Ultimaker Digital Factory pour établir une connexion." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "La connexion cloud est actuellement indisponible. Veuillez vous connecter pour connecter l'imprimante cloud." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "La connexion cloud est actuellement indisponible. Veuillez vérifier votre connexion Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Ajouter une imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Gérer les imprimantes" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Imprimantes connectées" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Imprimantes préréglées" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Paramètres d'impression" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Configuration d'impression désactivée. Le fichier G-Code ne peut pas être modifié." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5254,120 +4119,1703 @@ msgstr "" "\n" "Cliquez pour ouvrir le gestionnaire de profils." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Personnaliser les profils" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Ignorer les modifications actuelles" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Recommandé" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Personnalisé" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "On" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Off" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Expérimental" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Il n'y a pas de profil %1 pour la configuration dans l'extrudeur %2. L'intention par défaut sera utilisée à la place" msgstr[1] "Il n'y a pas de profil %1 pour les configurations dans les extrudeurs %2. L'intention par défaut sera utilisée à la place" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Configuration d'impression désactivée. Le fichier G-Code ne peut pas être modifié." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recommandé" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personnalisé" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "On" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Off" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Expérimental" +msgid "Profiles" +msgstr "Profils" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Adhérence" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Activez l'impression d'une bordure ou plaquette (Brim/Raft). Cela ajoutera une zone plate autour de ou sous votre objet qui est facile à découper par la suite." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Remplissage graduel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Un remplissage graduel augmentera la quantité de remplissage vers le haut." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Vous avez modifié certains paramètres du profil. Si vous souhaitez les modifier, allez dans le mode Personnaliser." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Support" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Générer des structures pour soutenir les parties du modèle qui possèdent des porte-à-faux. Sans ces structures, ces parties s'effondreront durant l'impression." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Certains paramètres masqués utilisent des valeurs différentes de leur valeur normalement calculée.\n" -"\n" -"Cliquez pour rendre ces paramètres visibles." +msgid "Gradual infill" +msgstr "Remplissage graduel" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Un remplissage graduel augmentera la quantité de remplissage vers le haut." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Adhérence" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Activez l'impression d'une bordure ou plaquette (Brim/Raft). Cela ajoutera une zone plate autour de ou sous votre objet qui est facile à découper par la suite." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Sauvegarder le projet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Imprimantes réseau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Imprimantes locales" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoris" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Générique" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Imprimer le modèle sélectionné avec :" +msgstr[1] "Imprimer les modèles sélectionnés avec :" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Multiplier le modèle sélectionné" +msgstr[1] "Multiplier les modèles sélectionnés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Nombre de copies" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Enregistrer le projet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "E&xporter..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Exporter la sélection..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configurations" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Personnalisé" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Activé" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Utiliser de la colle pour une meilleure adhérence avec cette combinaison de matériaux." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Sélectionner la configuration" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Configurations" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Chargement des configurations disponibles à partir de l'imprimante..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Les configurations ne sont pas disponibles car l'imprimante est déconnectée." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Cette configuration n'est pas disponible car %1 n'est pas reconnu. Veuillez visiter %2 pour télécharger le profil matériel correct." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Marché en ligne" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Ouvrir le(s) fichier(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "Im&primante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Définir comme extrudeur actif" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Activer l'extrudeuse" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Désactiver l'extrudeuse" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Ouvrir un fichier &récent" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Paramètres visibles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Réduire toutes les catégories" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gérer la visibilité des paramètres..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "Position de la &caméra" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Vue de la caméra" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspective" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Orthographique" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Plateau" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Type d'affichage" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Est imprimé comme support." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "D'autres modèles qui se chevauchent avec ce modèle ont été modifiés." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Le chevauchement de remplissage avec ce modèle a été modifié." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Les chevauchements avec ce modèle ne sont pas pris en charge." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Remplace le paramètre %1." +msgstr[1] "Remplace les paramètres %1." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profils" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Activer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Créer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Dupliquer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Renommer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Exporter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Créer un profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Veuillez fournir un nom pour ce profil." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Dupliquer un profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Confirmer la suppression" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Êtes-vous sûr de vouloir supprimer l'objet %1 ? Vous ne pourrez pas revenir en arrière !" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Renommer le profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importer un profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Exporter un profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Imprimante : %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Mettre à jour le profil à l'aide des paramètres / forçages actuels" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Ce profil utilise les paramètres par défaut spécifiés par l'imprimante, de sorte qu'aucun paramètre / forçage n'apparaît dans la liste ci-dessous." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Vos paramètres actuels correspondent au profil sélectionné." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Paramètres généraux" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Général" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Devise :" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Thème :" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Vous devez redémarrer l'application pour que ces changements prennent effet." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Découper automatiquement si les paramètres sont modifiés." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Découper automatiquement" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportement Viewport" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Surligne les parties non supportées du modèle en rouge. Sans ajouter de support, ces zones ne s'imprimeront pas correctement." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Mettre en surbrillance les porte-à-faux" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Surlignez les surfaces du modèle manquantes ou étrangères en utilisant les signes d'avertissement. Les Toolpaths seront souvent les parties manquantes de la géométrie prévue." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Afficher les erreurs du modèle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Déplace la caméra afin que le modèle sélectionné se trouve au centre de la vue" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Centrer la caméra lorsqu'un élément est sélectionné" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Le comportement de zoom par défaut de Cura doit-il être inversé ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Inverser la direction du zoom de la caméra." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Le zoom doit-il se faire dans la direction de la souris ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Le zoom vers la souris n'est pas pris en charge dans la perspective orthographique." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Zoomer vers la direction de la souris" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Les modèles dans la zone d'impression doivent-ils être déplacés afin de ne plus se croiser ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Veillez à ce que les modèles restent séparés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Les modèles dans la zone d'impression doivent-ils être abaissés afin de toucher le plateau ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Abaisser automatiquement les modèles sur le plateau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Afficher le message d'avertissement dans le lecteur G-Code." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Message d'avertissement dans le lecteur G-Code" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "La couche doit-elle être forcée en mode de compatibilité ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Forcer l'affichage de la couche en mode de compatibilité (redémarrage requis)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Est-ce que Cura devrait ouvrir à l'endroit où il a été fermé ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Restaurer la position de la fenêtre au démarrage" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Quel type de rendu de la caméra doit-il être utilisé?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Rendu caméra :" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspective" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Orthographique" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Ouvrir et enregistrer des fichiers" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "L'ouverture de fichiers à partir du bureau ou d'applications externes doit-elle se faire dans la même instance de Cura ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Utiliser une seule instance de Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Les objets doivent-ils être supprimés du plateau de fabrication avant de charger un nouveau modèle dans l'instance unique de Cura ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Supprimez les objets du plateau de fabrication avant de charger un modèle dans l'instance unique" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Les modèles doivent-ils être mis à l'échelle du volume d'impression s'ils sont trop grands ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Réduire la taille des modèles trop grands" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Un modèle peut apparaître en tout petit si son unité est par exemple en mètres plutôt qu'en millimètres. Ces modèles doivent-ils être agrandis ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Mettre à l'échelle les modèles extrêmement petits" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Les modèles doivent-ils être sélectionnés après leur chargement ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Sélectionner les modèles lorsqu'ils sont chargés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Un préfixe basé sur le nom de l'imprimante doit-il être automatiquement ajouté au nom de la tâche d'impression ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Ajouter le préfixe de la machine au nom de la tâche" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Un résumé doit-il être affiché lors de l'enregistrement d'un fichier de projet ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Afficher la boîte de dialogue du résumé lors de l'enregistrement du projet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet : " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Toujours me demander" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Toujours ouvrir comme projet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Toujours importer les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Lorsque vous apportez des modifications à un profil puis passez à un autre profil, une boîte de dialogue apparaît, vous demandant si vous souhaitez conserver les modifications. Vous pouvez aussi choisir une option par défaut, et le dialogue ne s'affichera plus." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Comportement par défaut pour les valeurs de paramètres modifiées lors du passage à un profil différent : " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Toujours rejeter les paramètres modifiés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Toujours transférer les paramètres modifiés dans le nouveau profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Confidentialité" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Les données anonymes de votre impression doivent-elles être envoyées à Ultimaker ? Notez qu'aucun modèle, aucune adresse IP ni aucune autre information permettant de vous identifier personnellement ne seront envoyés ou stockés." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Envoyer des informations (anonymes) sur l'impression" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Plus d'informations" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Mises à jour" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Cura doit-il vérifier les mises à jour au démarrage du programme ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Vérifier les mises à jour au démarrage" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Lorsque vous vérifiez les mises à jour, ne vérifiez que les versions stables." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Uniquement les versions stables" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Lorsque vous recherchez des mises à jour, vérifiez à la fois les versions stables et les versions bêta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Versions stables et bêta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Une vérification automatique des nouveaux plugins doit-elle être effectuée à chaque fois que Cura est lancé ? Il est fortement recommandé de ne pas désactiver cette fonction !" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Recevoir des notifications pour les mises à jour des plugins" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informations" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Confirmer le changement de diamètre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Le nouveau diamètre de filament est réglé sur %1 mm, ce qui n'est pas compatible avec l'extrudeuse actuelle. Souhaitez-vous poursuivre ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Afficher le nom" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Type de matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Couleur" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Propriétés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Densité" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Diamètre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Coût du filament" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Poids du filament" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Longueur du filament" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Coût au mètre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Ce matériau est lié à %1 et partage certaines de ses propriétés." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Délier le matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Description" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Informations d'adhérence" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Créer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Dupliquer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Synchroniser les imprimantes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importer un matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Impossible d'importer le matériau %1 : %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Matériau %1 importé avec succès" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exporter un matériau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Échec de l'exportation de matériau vers %1 : %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Matériau exporté avec succès vers %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Exporter tous les matériaux" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Visibilité des paramètres" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Vérifier tout" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Imprimantes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Calculer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Paramètre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Actuel" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Unité" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Non connecté à une imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "L'imprimante n'accepte pas les commandes" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "En maintenance. Vérifiez l'imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Connexion avec l'imprimante perdue" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Impression..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "En pause" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Préparation..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Supprimez l'imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Abandonner l'impression" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Êtes-vous sûr(e) de vouloir abandonner l'impression ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Imprimer le modèle sélectionné avec %1" +msgstr[1] "Imprimer les modèles sélectionnés avec %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Mes imprimantes" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Surveillez les imprimantes dans Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Créez des projets d'impression dans Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Tâches d'impression" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Surveillez les tâches d'impression et réimprimez à partir de votre historique d'impression." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Étendez Ultimaker Cura avec des plug-ins et des profils de matériaux." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Devenez un expert de l'impression 3D avec les cours de formation en ligne Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Assistance ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Découvrez comment utiliser Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Posez une question" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Consultez la communauté Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Notifier un bug" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Informez les développeurs en cas de problème." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Visitez le site web Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Contrôle de l'imprimante" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Position de coupe" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Distance de coupe" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Envoyer G-Code" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Envoyer une commande G-Code personnalisée à l'imprimante connectée. Appuyez sur « Entrée » pour envoyer la commande." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrudeuse" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Température cible de l'extrémité chauffante. L'extrémité chauffante sera chauffée ou refroidie pour tendre vers cette température. Si la valeur est 0, le chauffage de l'extrémité chauffante sera coupé." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Température actuelle de cette extrémité chauffante." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Température jusqu'à laquelle préchauffer l'extrémité chauffante." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Annuler" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Préchauffer" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Préchauffez l'extrémité chauffante avant l'impression. Vous pouvez continuer l'ajustement de votre impression pendant qu'elle chauffe, ce qui vous évitera un temps d'attente lorsque vous serez prêt à lancer l'impression." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Couleur du matériau dans cet extrudeur." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Matériau dans cet extrudeur." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Buse insérée dans cet extrudeur." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "L'imprimante n'est pas connectée." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Plateau" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Température cible du plateau chauffant. Le plateau sera chauffé ou refroidi pour tendre vers cette température. Si la valeur est 0, le chauffage du plateau sera éteint." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Température actuelle du plateau chauffant." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Température jusqu'à laquelle préchauffer le plateau." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Préchauffez le plateau avant l'impression. Vous pouvez continuer à ajuster votre impression pendant qu'il chauffe, et vous n'aurez pas à attendre que le plateau chauffe lorsque vous serez prêt à lancer l'impression." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Se connecter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Ajoutez des profils de matériaux et des plug-ins à partir de la Marketplace\n" +"- Sauvegardez et synchronisez vos profils de matériaux et vos plug-ins\n" +"- Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Créez gratuitement un compte Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Dernière mise à jour : %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Compte Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Déconnexion" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Vérification en cours..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Compte synchronisé" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Un problème s'est produit..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Installer les mises à jour en attente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Rechercher des mises à jour de compte" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Sans titre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Aucun élément à sélectionner" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Afficher le guide de dépannage en ligne" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Passer en Plein écran" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Quitter le mode plein écran" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Annuler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Rétablir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Quitter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Vue 3D" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Vue de face" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Vue du dessus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Vue de dessous" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Vue latérale gauche" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Vue latérale droite" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configurer Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Ajouter une imprimante..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Gérer les &imprimantes..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Gérer les matériaux..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Ajouter d'autres matériaux du Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Mettre à jour le profil à l'aide des paramètres / forçages actuels" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Ignorer les modifications actuelles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Créer un profil à partir des paramètres / forçages actuels..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Gérer les profils..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Afficher la &documentation en ligne" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Notifier un &bug" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Quoi de neuf" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "À propos de..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Supprimer la sélection" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centrer la sélection" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Multiplier la sélection" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Supprimer le modèle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Ce&ntrer le modèle sur le plateau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Grouper les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Dégrouper les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Fusionner les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Multiplier le modèle..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Sélectionner tous les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Supprimer les objets du plateau" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Recharger tous les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Réorganiser tous les modèles sur tous les plateaux" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Réorganiser tous les modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Réorganiser la sélection" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Réinitialiser toutes les positions des modèles" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Réinitialiser tous les modèles et transformations" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Ouvrir le(s) fichier(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nouveau projet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Afficher le dossier de configuration" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configurer la visibilité des paramètres..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marché en ligne" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Ce paramètre n'est pas utilisé car tous les paramètres qu'il influence sont remplacés." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Touche" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Touché par" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Ce paramètre est toujours partagé par toutes les extrudeuses. Le modifier ici entraînera la modification de la valeur pour toutes les extrudeuses." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Ce paramètre est résolu à partir de valeurs conflictuelles spécifiques à l'extrudeur :" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5378,7 +5826,7 @@ msgstr "" "\n" "Cliquez pour restaurer la valeur du profil." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5389,508 +5837,92 @@ msgstr "" "\n" "Cliquez pour restaurer la valeur calculée." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Paramètres de recherche" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Copier la valeur vers tous les extrudeurs" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Copier toutes les valeurs modifiées vers toutes les extrudeuses" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Masquer ce paramètre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Masquer ce paramètre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Afficher ce paramètre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Vue 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Vue de face" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Vue du dessus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Vue gauche" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Vue droite" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Type d'affichage" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"Certains paramètres masqués utilisent des valeurs différentes de leur valeur normalement calculée.\n" +"\n" +"Cliquez pour rendre ces paramètres visibles." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Ajouter une imprimante cloud" +msgid "This package will be installed after restarting." +msgstr "Ce paquet sera installé après le redémarrage." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "En attente d'une réponse cloud" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Paramètres" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Aucune imprimante trouvée dans votre compte ?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Fermeture de %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Les imprimantes suivantes de votre compte ont été ajoutées à Cura :" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Voulez-vous vraiment quitter %1 ?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Ajouter l'imprimante manuellement" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Installer le paquet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricant" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Ouvrir le(s) fichier(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Auteur du profil" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Nous avons trouvé au moins un fichier G-Code parmi les fichiers que vous avez sélectionné. Vous ne pouvez ouvrir qu'un seul fichier G-Code à la fois. Si vous souhaitez ouvrir un fichier G-Code, veuillez ne sélectionner qu'un seul fichier de ce type." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nom de l'imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Veuillez nommer votre imprimante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "Ajouter une imprimante" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Ajouter une imprimante en réseau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Ajouter une imprimante hors réseau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Aucune imprimante n'a été trouvée sur votre réseau." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Rafraîchir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Ajouter une imprimante par IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Ajouter une imprimante cloud" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Dépannage" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Ajouter une imprimante par adresse IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Saisissez l'adresse IP de votre imprimante." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Ajouter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Impossible de se connecter à l'appareil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Impossible de vous connecter à votre imprimante Ultimaker ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "L'imprimante à cette adresse n'a pas encore répondu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Cette imprimante ne peut pas être ajoutée parce qu'il s'agit d'une imprimante inconnue ou de l'hôte d'un groupe." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Précédent" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Se connecter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notes de version" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Ajoutez des paramètres de matériaux et des plug-ins depuis la Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Sauvegardez et synchronisez vos paramètres de matériaux et vos plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Ignorer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Créez gratuitement un compte Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Aidez-nous à améliorer Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura recueille des données anonymes pour améliorer la qualité d'impression et l'expérience utilisateur, notamment :" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Types de machines" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Utilisation du matériau" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Nombre de découpes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Paramètres d'impression" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Les données recueillies par Ultimaker Cura ne contiendront aucun renseignement personnel." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Plus d'informations" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vide" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Accord utilisateur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Décliner et fermer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Bienvenue dans Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "" -"Veuillez suivre ces étapes pour configurer\n" -"Ultimaker Cura. Cela ne prendra que quelques instants." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Prise en main" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" -msgstr "Nouveautés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Aucun élément à sélectionner" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Vérifie les modèles et la configuration de l'impression pour déceler d'éventuels problèmes d'impression et donne des suggestions." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Contrôleur de modèle" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Fournit la prise en charge de la lecture de fichiers 3MF." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Lecteur 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Permet l'écriture de fichiers 3MF." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "Générateur 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Fournit la prise en charge de la lecture de fichiers AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Lecteur AMF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Sauvegardez et restaurez votre configuration." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Sauvegardes Cura" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Fournit le lien vers l'arrière du système de découpage CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Système CuraEngine" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Fournit la prise en charge de l'importation de profils Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Lecteur de profil Cura" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Fournit la prise en charge de l'exportation de profils Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Générateur de profil Cura" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Se connecte à la Digital Library, permettant à Cura d'ouvrir des fichiers à partir de cette dernière et d'y enregistrer des fichiers." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Vérifie les mises à jour du firmware." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Vérificateur des mises à jour du firmware" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Fournit à une machine des actions permettant la mise à jour du firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Programme de mise à jour du firmware" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Lit le G-Code à partir d'une archive compressée." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Lecteur G-Code compressé" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Enregistre le G-Code dans une archive compressée." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Générateur de G-Code compressé" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Fournit la prise en charge de l'importation de profils à partir de fichiers g-code." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Lecteur de profil G-Code" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Permet le chargement et l'affichage de fichiers G-Code." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Lecteur G-Code" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Enregistre le G-Code dans un fichier." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Générateur de G-Code" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Permet de générer une géométrie imprimable à partir de fichiers d'image 2D." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Lecteur d'images" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Fournit la prise en charge de l'importation de profils à partir de versions Cura antérieures." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Lecteur de profil Cura antérieur" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Permet de modifier les paramètres de la machine (tels que volume d'impression, taille de buse, etc.)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Action Paramètres de la machine" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Fournit une étape de surveillance dans Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Étape de surveillance" +msgstr "Quoi de neuf" #: PerObjectSettingsTool/plugin.json msgctxt "description" @@ -5902,85 +5934,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Outil de paramètres par modèle" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Extension qui permet le post-traitement des scripts créés par l'utilisateur" +msgid "Provides support for importing Cura profiles." +msgstr "Fournit la prise en charge de l'importation de profils Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Post-traitement" +msgid "Cura Profile Reader" +msgstr "Lecteur de profil Cura" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Fournit une étape de préparation dans Cura." +msgid "Provides support for reading X3D files." +msgstr "Fournit la prise en charge de la lecture de fichiers X3D." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Étape de préparation" +msgid "X3D Reader" +msgstr "Lecteur X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Fournit une étape de prévisualisation dans Cura." +msgid "Backup and restore your configuration." +msgstr "Sauvegardez et restaurez votre configuration." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Étape de prévisualisation" +msgid "Cura Backups" +msgstr "Sauvegardes Cura" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Permet le branchement hot-plug et l'écriture sur lecteur amovible." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Permet de modifier les paramètres de la machine (tels que volume d'impression, taille de buse, etc.)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plugin de périphérique de sortie sur disque amovible" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Enregistre certains événements afin qu'ils puissent être utilisés par le rapporteur d'incident" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Journal d'événements dans Sentry" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Fournit la Vue simulation." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Vue simulation" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Envoie des informations anonymes sur le découpage. Peut être désactivé dans les préférences." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Information sur le découpage" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Affiche une vue en maille solide normale." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Vue solide" +msgid "Machine Settings Action" +msgstr "Action Paramètres de la machine" #: SupportEraser/plugin.json msgctxt "description" @@ -5992,35 +5984,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Effaceur de support" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Rechercher, gérer et installer de nouveaux paquets Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Permet le branchement hot-plug et l'écriture sur lecteur amovible." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Boîte à outils" +msgid "Removable Drive Output Device Plugin" +msgstr "Plugin de périphérique de sortie sur disque amovible" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Fournit la prise en charge de la lecture de fichiers modèle 3D." +msgid "Provides a machine actions for updating firmware." +msgstr "Fournit à une machine des actions permettant la mise à jour du firmware." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Lecteur de Trimesh" +msgid "Firmware Updater" +msgstr "Programme de mise à jour du firmware" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Fournit un support pour la lecture des paquets de format Ultimaker." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Fournit la prise en charge de l'importation de profils à partir de versions Cura antérieures." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Lecteur UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Lecteur de profil Cura antérieur" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Fournit la prise en charge de la lecture de fichiers 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Lecteur 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -6032,25 +6034,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Générateur UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Fournit les actions de la machine pour les machines Ultimaker (telles que l'assistant de calibration du plateau, sélection des mises à niveau, etc.)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Enregistre certains événements afin qu'ils puissent être utilisés par le rapporteur d'incident" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Actions de la machine Ultimaker" +msgid "Sentry Logger" +msgstr "Journal d'événements dans Sentry" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Gère les connexions réseau vers les imprimantes Ultimaker en réseau." +msgid "Provides support for importing profiles from g-code files." +msgstr "Fournit la prise en charge de l'importation de profils à partir de fichiers g-code." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Connexion réseau Ultimaker" +msgid "G-code Profile Reader" +msgstr "Lecteur de profil G-Code" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Fournit une étape de prévisualisation dans Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Étape de prévisualisation" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Permet la vue Rayon-X." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Vue Rayon-X" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Fournit le lien vers l'arrière du système de découpage CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Système CuraEngine" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Fournit la prise en charge de la lecture de fichiers AMF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Lecteur AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Lit le G-Code à partir d'une archive compressée." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Lecteur G-Code compressé" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Extension qui permet le post-traitement des scripts créés par l'utilisateur" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Post-traitement" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Fournit la prise en charge de l'exportation de profils Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Générateur de profil Cura" #: USBPrinting/plugin.json msgctxt "description" @@ -6062,25 +6134,135 @@ msgctxt "name" msgid "USB printing" msgstr "Impression par USB" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Configurations des mises à niveau de Cura 2.1 vers Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Fournit une étape de préparation dans Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Mise à niveau vers 2.1 vers 2.2" +msgid "Prepare Stage" +msgstr "Étape de préparation" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Configurations des mises à niveau de Cura 2.2 vers Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Permet le chargement et l'affichage de fichiers G-Code." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Mise à niveau de 2.2 vers 2.4" +msgid "G-code Reader" +msgstr "Lecteur G-Code" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Permet de générer une géométrie imprimable à partir de fichiers d'image 2D." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Lecteur d'images" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Fournit les actions de la machine pour les machines Ultimaker (telles que l'assistant de calibration du plateau, sélection des mises à niveau, etc.)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Actions de la machine Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Enregistre le G-Code dans une archive compressée." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Générateur de G-Code compressé" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Vérifie les mises à jour du firmware." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Vérificateur des mises à jour du firmware" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Envoie des informations anonymes sur le découpage. Peut être désactivé dans les préférences." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Information sur le découpage" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Offre la possibilité de lire et d'écrire des profils matériels basés sur XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Profils matériels" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Se connecte à la Digital Library, permettant à Cura d'ouvrir des fichiers à partir de cette dernière et d'y enregistrer des fichiers." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Rechercher, gérer et installer de nouveaux paquets Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Boîte à outils" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Enregistre le G-Code dans un fichier." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Générateur de G-Code" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Fournit la Vue simulation." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Vue simulation" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Mises à niveau des configurations de Cura 4.5 vers Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Mise à niveau de 4.5 vers 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6092,55 +6274,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Mise à niveau de 2.5 vers 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Configurations des mises à niveau de Cura 2.6 vers Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Mises à niveau des configurations de Cura 4.6.0 vers Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Mise à niveau de 2.6 vers 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Mise à niveau de 4.6.0 vers 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Met à niveau les configurations, de Cura 2.7 vers Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Mises à niveau des configurations de Cura 4.7 vers Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Mise à niveau de version, de 2.7 vers 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Met à niveau les configurations, de Cura 3.0 vers Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Mise à niveau de version, de 3.0 vers 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Configurations des mises à niveau de Cura 3.2 vers Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Mise à niveau de 3.2 vers 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Configurations des mises à niveau de Cura 3.3 vers Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Mise à niveau de 3.3 vers 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Mise à niveau de 4.7 vers 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6152,45 +6304,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Mise à niveau de 3.4 vers 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Configurations des mises à niveau de Cura 3.5 vers Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Configurations des mises à niveau de Cura 2.1 vers Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Mise à niveau de 3.5 vers 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Mise à niveau vers 2.1 vers 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Configurations des mises à niveau de Cura 4.0 vers Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Configurations des mises à niveau de Cura 3.2 vers Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Mise à niveau de 4.0 vers 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Mise à niveau de 3.2 vers 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Mises à niveau des configurations de Cura 4.11 vers Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Mises à niveau des configurations de Cura 4.8 vers Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Mise à niveau de la version 4.11 vers la version 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Mise à niveau de 4.8 vers 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Configurations des mises à jour de Cura 4.1 vers Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Mises à niveau des configurations de Cura 4.6.2 vers Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Mise à jour de 4.1 vers 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Mise à niveau de 4.6.2 vers 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6212,66 +6364,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Mise à niveau de 4.3 vers 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Configurations des mises à niveau de Cura 4.4 vers Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Mise à niveau de 4.4 vers 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Mises à niveau des configurations de Cura 4.5 vers Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Mise à niveau de 4.5 vers 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Mises à niveau des configurations de Cura 4.6.0 vers Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Mise à niveau de 4.6.0 vers 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Mises à niveau des configurations de Cura 4.6.2 vers Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Mise à niveau de 4.6.2 vers 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Mises à niveau des configurations de Cura 4.7 vers Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Mise à niveau de 4.7 vers 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Mises à niveau des configurations de Cura 4.8 vers Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Mise à niveau de 4.8 vers 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6282,35 +6374,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Mise à niveau de 4.9 vers 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Fournit la prise en charge de la lecture de fichiers X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Met à niveau les configurations, de Cura 2.7 vers Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Lecteur X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Mise à niveau de version, de 2.7 vers 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Offre la possibilité de lire et d'écrire des profils matériels basés sur XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Configurations des mises à niveau de Cura 2.6 vers Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Profils matériels" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Mise à niveau de 2.6 vers 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Permet la vue Rayon-X." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Mises à niveau des configurations de Cura 4.11 vers Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Vue Rayon-X" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Mise à niveau de la version 4.11 vers la version 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Configurations des mises à niveau de Cura 3.3 vers Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Mise à niveau de 3.3 vers 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Met à niveau les configurations, de Cura 3.0 vers Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Mise à niveau de version, de 3.0 vers 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Configurations des mises à niveau de Cura 4.0 vers Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Mise à niveau de 4.0 vers 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Configurations des mises à niveau de Cura 4.4 vers Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Mise à niveau de 4.4 vers 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Configurations des mises à niveau de Cura 2.2 vers Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Mise à niveau de 2.2 vers 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Configurations des mises à jour de Cura 4.1 vers Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Mise à jour de 4.1 vers 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Configurations des mises à niveau de Cura 3.5 vers Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Mise à niveau de 3.5 vers 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Gère les connexions réseau vers les imprimantes Ultimaker en réseau." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Connexion réseau Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Fournit la prise en charge de la lecture de fichiers modèle 3D." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Lecteur de Trimesh" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Fournit un support pour la lecture des paquets de format Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Lecteur UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Affiche une vue en maille solide normale." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Vue solide" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Permet l'écriture de fichiers 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Générateur 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Fournit une étape de surveillance dans Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Étape de surveillance" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Vérifie les modèles et la configuration de l'impression pour déceler d'éventuels problèmes d'impression et donne des suggestions." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Contrôleur de modèle" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/fr_FR/fdmextruder.def.json.po b/resources/i18n/fr_FR/fdmextruder.def.json.po index 87c6f93d75..6910d7a71c 100644 --- a/resources/i18n/fr_FR/fdmextruder.def.json.po +++ b/resources/i18n/fr_FR/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 15:16+0200\n" "Last-Translator: Bothof \n" "Language-Team: French\n" diff --git a/resources/i18n/fr_FR/fdmprinter.def.json.po b/resources/i18n/fr_FR/fdmprinter.def.json.po index c0e1a7aa3f..3da9db64a4 100644 --- a/resources/i18n/fr_FR/fdmprinter.def.json.po +++ b/resources/i18n/fr_FR/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:16+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: French , French \n" @@ -53,8 +53,10 @@ msgstr "G-Code de démarrage" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "Commandes G-Code à exécuter au tout début, séparées par \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -63,8 +65,10 @@ msgstr "G-Code de fin" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "Commandes G-Code à exécuter tout à la fin, séparées par \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -146,6 +150,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "La profondeur (sens Y) de la zone imprimable." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Hauteur de la machine" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "La hauteur (sens Z) de la zone imprimable." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -186,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Aluminium" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Hauteur de la machine" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "La hauteur (sens Z) de la zone imprimable." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -553,8 +557,8 @@ msgstr "La vitesse maximale pour le moteur du sens Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Taux d'alimentation maximal" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1723,12 +1727,8 @@ msgstr "Motif de remplissage" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Le motif du matériau de remplissage de l'impression. La ligne et le remplissage en zigzag changent de sens à chaque alternance de couche, réduisant ainsi" -" les coûts matériels. Les motifs en grille, en triangle, tri-hexagonaux, cubiques, octaédriques, quart cubiques, entrecroisés et concentriques sont entièrement" -" imprimés sur chaque couche. Les remplissages gyroïdes, cubiques, quart cubiques et octaédriques changent à chaque couche afin d'offrir une répartition" -" plus égale de la solidité dans chaque direction. Le remplissage éclair tente de minimiser le remplissage en ne soutenant que les plafonds (internes) de" -" l'objet. Ainsi, le pourcentage de remplissage n'est « valable » qu'une couche en dessous de ce qu'il doit soutenir dans le modèle." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2041,9 +2041,8 @@ msgstr "Angle d'élagage du remplissage éclair" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "La différence qu'une couche de remplissage éclair peut avoir avec celle immédiatement au-dessus en ce qui concerne l'élagage des extrémités extérieures" -" des arborescences. Mesuré dans l'angle au vu de l'épaisseur." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2052,9 +2051,8 @@ msgstr "Angle de redressement du remplissage éclair" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "La différence qu'une couche de remplissage éclair peut avoir avec celle immédiatement au-dessus en ce qui concerne le lissage des arborescences. Mesuré" -" dans l'angle au vu de l'épaisseur." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6479,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Matrice de transformation à appliquer au modèle lors de son chargement depuis le fichier." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "Commandes G-Code à exécuter au tout début, séparées par \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "Commandes G-Code à exécuter tout à la fin, séparées par \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Taux d'alimentation maximal" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Le motif du matériau de remplissage de l'impression. La ligne et le remplissage en zigzag changent de sens à chaque alternance de couche, réduisant ainsi les coûts matériels. Les motifs en grille, en triangle, tri-hexagonaux, cubiques, octaédriques, quart cubiques, entrecroisés et concentriques sont entièrement imprimés sur chaque couche. Les remplissages gyroïdes, cubiques, quart cubiques et octaédriques changent à chaque couche afin d'offrir une répartition plus égale de la solidité dans chaque direction. Le remplissage éclair tente de minimiser le remplissage en ne soutenant que les plafonds (internes) de l'objet. Ainsi, le pourcentage de remplissage n'est « valable » qu'une couche en dessous de ce qu'il doit soutenir dans le modèle." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "La différence qu'une couche de remplissage éclair peut avoir avec celle immédiatement au-dessus en ce qui concerne l'élagage des extrémités extérieures des arborescences. Mesuré dans l'angle au vu de l'épaisseur." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "La différence qu'une couche de remplissage éclair peut avoir avec celle immédiatement au-dessus en ce qui concerne le lissage des arborescences. Mesuré dans l'angle au vu de l'épaisseur." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Motif du matériau de remplissage de l'impression. La ligne et le remplissage en zigzag changent de sens à chaque alternance de couche, réduisant ainsi les coûts matériels. Les motifs en grille, en triangle, trihexagonaux, cubiques, octaédriques, quart cubiques et concentriques sont entièrement imprimés sur chaque couche. Les remplissages gyroïde, cubique, quart cubique et octaédrique changent à chaque couche afin d'offrir une répartition plus égale de la solidité dans chaque direction." diff --git a/resources/i18n/hu_HU/cura.po b/resources/i18n/hu_HU/cura.po index 53c5521bb2..6bc614a1f4 100644 --- a/resources/i18n/hu_HU/cura.po +++ b/resources/i18n/hu_HU/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2020-03-24 09:36+0100\n" "Last-Translator: Nagy Attila \n" "Language-Team: ATI-SZOFT\n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.2.4\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Ismeretlen" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Nem sikerült archívumot létrehozni a felhasználói adatkönyvtárból: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Az alábbi nyomtató (k) nem csatlakoztathatók, mert egy csoporthoz tartoznak" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Biztonsági mentés" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Elérhető hálózati nyomtatók" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Megpróbált visszaállítani egy Cura biztonsági másolatot anélkül, hogy megfelelő adatok vagy meta adatok lennének." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nincs felülírva" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Egy olyan Cura biztonsági mentést próbált visszaállítani, amelyiknek a verziója magasabb a jelenlegitől." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Az nyomtatási szint csökken a \"Nyomtatási sorrend\" beállítása miatt, ez megakadályozza, hogy a mechanika beleütközzön a nyomtatott tárgyba." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Építési térfogat" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nincs felülírva" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Ismeretlen" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Az alábbi nyomtató (k) nem csatlakoztathatók, mert egy csoporthoz tartoznak" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Elérhető hálózati nyomtatók" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Egyedi anyag" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Egyedi" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Egyéni profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Összes támasz típus ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Minden fájl (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Egyedi anyag" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Egyedi" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Sikertelen bejelentkezés" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Új hely keresése az objektumokhoz" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Hely keresés" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Nincs elég hely az összes objektum építési térfogatához" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Nem találok helyet" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Nem sikerült archívumot létrehozni a felhasználói adatkönyvtárból: {}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Biztonsági mentés" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Megpróbált visszaállítani egy Cura biztonsági másolatot anélkül, hogy megfelelő adatok vagy meta adatok lennének." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Egy olyan Cura biztonsági mentést próbált visszaállítani, amelyiknek a verziója magasabb a jelenlegitől." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Gépek betöltése ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Felület beállítása..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Interfészek betöltése..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Az nyomtatási szint csökken a \"Nyomtatási sorrend\" beállítása miatt, ez megakadályozza, hogy a mechanika beleütközzön a nyomtatott tárgyba." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Egyszerre csak egy G-kód fájlt lehet betölteni. Az importálás kihagyva {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Építési térfogat" +msgid "Warning" +msgstr "Figyelem" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Nem nyitható meg más fájl, ha a G-kód betöltődik. Az importálás kihagyva {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Hiba" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Bezár" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Következő" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Hozzáad" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Elvet" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Csoport #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Külső fal" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Belső falak" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Héj" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Kitöltés" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Támasz kitöltés" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Támasz interface" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Támasz" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Szoknya" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Elsődleges torony" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Átmozgás" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Visszahúzás" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Egyéb" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "A Cura nem tud elindulni" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    Kérjük, küldje el nekünk ezt a hibajelentést a probléma megoldásához.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Hibajelentés küldése az Ultimaker -nek" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Hibajelentés részletei" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Konfigurációs mappa megnyitása" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Konfiguráció biztonsági mentés és visszaállítás" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Összeomlás jelentés" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,497 +510,1259 @@ msgstr "" "

    Kérjük használd a \"Jelentés küldés\" gombot a hibajelentés postázásához, így az automatikusan a szerverünkre kerül.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Rendszer információ" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Ismeretlen" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura verzió" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Felület" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt verzió" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt verzió" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Még nincs inicializálva
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL Verzió: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL terjesztő: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Hibakövetés" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Naplók" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Jelentés küldés" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Gépek betöltése ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Felület beállítása..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Interfészek betöltése..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Egyszerre csak egy G-kód fájlt lehet betölteni. Az importálás kihagyva {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Figyelem" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Nem nyitható meg más fájl, ha a G-kód betöltődik. Az importálás kihagyva {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Hiba" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Tárgyak többszörözése és elhelyezése" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Tárgyak elhelyezése" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Tárgy elhelyezése" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Nincs olvasható válasz." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Kérjük, adja meg a szükséges jogosultságokat az alkalmazás engedélyezéséhez." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Valami váratlan esemény történt a bejelentkezéskor, próbálkozzon újra." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Az Ultimaker fiókkiszolgáló elérhetetlen." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Kérjük, adja meg a szükséges jogosultságokat az alkalmazás engedélyezéséhez." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Valami váratlan esemény történt a bejelentkezéskor, próbálkozzon újra." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Nincs olvasható válasz." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Tárgyak többszörözése és elhelyezése" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Tárgyak elhelyezése" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Tárgy elhelyezése" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Nem támogatott" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Fúvóka" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "A beállításokat megváltoztattuk, hogy azok megfeleljenek az jelenleg elérhető extrudereknek:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Beállítások frissítve" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extruder(ek) kikapcsolva" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "A fájl már létezik" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "A {0} fájl már létezik. Biztosan szeretnéd, hogy felülírjuk?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Érvénytelen fájl URL:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "A profil exportálása nem sikerült {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "A profil exportálása nem sikerült {0}:Az író beépülő modul hibát jelez." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil exportálva ide: {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Sikeres export" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Sikertelen profil importálás {0}: {1} -ból" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Nem importálható a profil {0} -ból, mielőtt hozzá nem adunk egy nyomtatót." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Nincs egyéni profil a {0} fájlban, amelyet importálni lehetne" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "A profil importálása nem sikerült {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Ez a {0} profil helytelen adatokat tartamaz, ezért nem importálható." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Nem importálható a profil {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "A {0} fájl nem tartalmaz érvényes profilt." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "A(z) {0} profil ismeretlen fájltípusú vagy sérült." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Egyedi profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Hiányzik a profil minőségi típusa." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Nem támogatott" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Fúvóka" +msgid "Per Model Settings" +msgstr "Modellenkénti beállítások" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "A beállításokat megváltoztattuk, hogy azok megfeleljenek az jelenleg elérhető extrudereknek:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Modellenkénti beállítások konfigurálása" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura Profil" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D Fájl" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Hiba történt a biztonsági másolat visszaállításakor." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Beállítások frissítve" +msgid "Backups" +msgstr "Biztonsági mentések" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder(ek) kikapcsolva" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Hiba történt a biztonsági mentés feltöltése közben." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Hozzáad" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Elvet" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "A biztonsági mentés feltöltése ..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "A biztonsági mentés feltöltése befejeződött." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Bitonsági mentések kezelése" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Gép beállítások" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Támasz blokkoló" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Hozzon létre egy kötetet, amelyben a támaszok nem kerülnek nyomtatásra." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Cserélhető meghajtó" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Mentés külső meghajtóra" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Mentés külső meghajtóra {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Nincsenek elérhető fájlformátumok az íráshoz!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Mentés külső meghajóra {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 +msgctxt "@info:title" +msgid "Saving" +msgstr "Mentés" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Sikertelen mentés {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Nem található a fájlnév {device} -on az írási művelethez." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 +#, python-brace-format +msgctxt "@info:status" +msgid "Could not save to removable drive {0}: {1}" +msgstr "Sikertelen mentés a {0}: {1} meghajtóra." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Mentve a {0} meghajtóra, mint {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Fájl Mentve" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Leválaszt" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "{0} meghajtó leválasztása" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "{0} leválasztva. Eltávolíthatod az adathordozót." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Hardver biztonságos eltávolítása" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "{0} leválasztása sikertelen. A meghajtó használatban van." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Firmware frissítés" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 profil" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Ajánlott" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Egyedi" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "A projekt fájl {0} egy ismeretlen {1} géptípust tartalmaz.Gépet nem lehet importálni. Importálj helyette modelleket." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "Projekt fájl megnyitása" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tag !" +msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 +msgctxt "@item:inlistbox" +msgid "3MF File" +msgstr "3MF fájl" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "Ultimaker Format Package" +msgstr "Ultimaker formátumcsomag" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 +msgctxt "@item:inlistbox" +msgid "G-code File" +msgstr "G-code Fájl" + +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 +msgctxt "@item:inmenu" +msgid "Preview" +msgstr "Előnézet" + +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Röntgen nézet" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Réteg feldolgozás" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Információ" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +msgctxt "@message" +msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +msgctxt "@message:title" +msgid "Slicing failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +msgctxt "@message:button" +msgid "Report a bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +msgctxt "@message:description" +msgid "Report a bug on Ultimaker Cura's issue tracker." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +msgctxt "@info:status" +msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." +msgstr "Nem lehet szeletelni a jelenlegi alapanyaggal, mert nem kompatibilis a kiválasztott nyomtatóval, vagy a beállításaival." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "Nem lehet szeletelni" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice with the current settings. The following settings have errors: {0}" +msgstr "Nem lehet szeletelni ezekkel a beállításokkal. Ezek a beállítások okoznak hibát: {0}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" +msgstr "Nem lehet szeletelni pár modell beállítás miatt. A következő beállításokokoznak hibát egy vagy több modellnél: {error_labels}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:status" +msgid "Unable to slice because the prime tower or prime position(s) are invalid." +msgstr "Nem lehet szeletelni, mert az elsődleges torony, vagy az elsődleges pozíció érvénytelen." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#, python-format +msgctxt "@info:status" +msgid "Unable to slice because there are objects associated with disabled Extruder %s." +msgstr "Nem lehet szeletelni, mert vannak olyan objektumok, amelyek a letiltott Extruderhez vannak társítva.%s." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +msgctxt "@info:status" +msgid "" +"Please review settings and check if your models:\n" +"- Fit within the build volume\n" +"- Are assigned to an enabled extruder\n" +"- Are not all set as modifier meshes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "AMF File" +msgstr "AMF fájl" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Tömörített G-kód fájl" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Utólagos műveletek" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "G-kód módosítás" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB nyomtatás" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Nyomtatás USB-ről" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Nyomtatás USB-ről" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Csatlakozás USB-n" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USB nyomtatás folyamatban van, a Cura bezárása leállítja ezt a nyomtatást. Biztos vagy ebben?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "A nyomtatás még folyamatban van. A Cura nem indíthat új nyomtatást USB-n keresztül, amíg az előző nyomtatás be nem fejeződött." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Nyomtatás folyamatban" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Előkészítés" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G-kód elemzés" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-kód részletek" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Győződj meg róla, hogy a G-kód igazodik a nyomtatódhoz és beállításaihoz, mielőtt elküldöd a fájlt. A G-kód ábrázolása nem biztos, hogy pontos." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G fájl" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG kép" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG kép" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG kép" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP kép" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF kép" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Tárgyasztal szint" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Válassz frissítést" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "A GCodeGzWriter nem támogatja a nem szöveges módot." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Nem sikerült elérni a frissítési információkat." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#, python-brace-format +msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" +msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s stable firmware available" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +msgctxt "@action:button" +msgid "How to update" +msgstr "Hogyan frissíts" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +msgctxt "@text" +msgid "Unable to read example data file." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +msgctxt "@info:generic" +msgid "You need to quit and restart {} before changes have effect." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +msgctxt "@info:generic" +msgid "{} plugins failed to download" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Elfogadás" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Kiegészítő licencszerződés" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "A GCodeWriter nem támogatja a szöveges nélüli módot." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Készítse elő a G-kódot az exportálás előtt." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Szimuláció nézet" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "Layer view" +msgstr "Réteg nézet" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Hálózati nyomtatás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Hálózati nyomtatás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Csatlakozva hálózaton keresztül" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "holnap" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "ma" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 +msgctxt "@action" +msgid "Connect via Network" +msgstr "Hálózati csatlakozás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Várja meg, amíg az aktuális feladat elküldésre kerül." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Nyomtatási hiba" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "A nyomtatási feladat sikeresen elküldésre került a nyomtatóra." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Adatok elküldve" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Olyan nyomtatóval próbál csatlakozni, amelyen nem fut az Ultimaker Connect. Kérjük, frissítse a nyomtatón a firmware-t." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Frissítse a nyomtatót" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Nyomtatási feladat küldése" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "A nyomtatási feladat feltöltése a nyomtatóra." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "A Cura olyan anyagprofilt észlel, amelyet még nem telepítettek a(z) {0} csoport gazdanyomtatójára." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Anyagok küldése a nyomtatóra" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Nem sikerült feltölteni az adatokat a nyomtatóra." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Hálózati hiba" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Megpróbált csatlakozni a (z) {0} -hez, de a gép nem része a csoportnak.Látogasson el a weboldalra, és konfigurálhatja azt csoporttagnak." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Nem csoport" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 +msgctxt "@action" +msgid "Configure group" +msgstr "Csoport konfiguráció" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Kezdjük el" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +msgctxt "@action:button" +msgid "Print via cloud" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +msgctxt "@action:button" +msgid "Monitor print" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +msgctxt "@action:tooltip" +msgid "Track the print in Ultimaker Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 +#, python-brace-format +msgctxt "info:{0} gets replaced by a number of printers" +msgid "... and {0} other" +msgid_plural "... and {0} others" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 +msgctxt "info:status" +msgid "A cloud connection is not available for a printer" +msgid_plural "A cloud connection is not available for some printers" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "info:status" +msgid "This printer is not linked to the Digital Factory:" +msgid_plural "These printers are not linked to the Digital Factory:" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "{printer_name} will be removed until the next account sync." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "To remove {printer_name} permanently, visit {digital_factory_link}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "Are you sure you want to remove {printer_name} temporarily?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Csoport #{group_nr}" +msgid "" +"You are about to remove {0} printer from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgid_plural "" +"You are about to remove {0} printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr[0] "" +msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Külső fal" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Belső falak" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Héj" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Kitöltés" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Támasz kitöltés" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Támasz interface" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Támasz" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Szoknya" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Elsődleges torony" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Átmozgás" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Visszahúzás" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Egyéb" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 +msgctxt "@label" +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Következő" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Bezár" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA digitális eszközcsere" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Bináris" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF beágyazott JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford háromszög formátum" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Tömörített COLLADA digitális eszközcsere" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Felület nézet" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Hiba a 3mf fájl írásakor." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF fájl" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura projekt 3MF fájl" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Monitor" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3D-s modellsegéd" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" @@ -777,1528 +1776,1533 @@ msgstr "" "

    Itt Megtudhatja, hogyan lehet a lehető legjobb nyomtatási minőséget és megbízhatóságot biztosítani.

    \n" "

    View print quality guide

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." -msgstr "A projekt fájl {0} egy ismeretlen {1} géptípust tartalmaz.Gépet nem lehet importálni. Importálj helyette modelleket." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +msgctxt "@label" +msgid "Mesh Type" +msgstr "Háló típus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Projekt fájl megnyitása" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Normál mód" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Támaszként nyomtassa" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 -msgctxt "@info:title" -msgid "Can't Open Project File" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tag !" -msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Ajánlott" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Egyedi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." +msgid "Infill mesh only" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Hiba a 3mf fájl írásakor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura projekt 3MF fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Biztonsági mentések" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Hiba történt a biztonsági mentés feltöltése közben." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." +msgid "Cutting mesh" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "A biztonsági mentés feltöltése ..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "A biztonsági mentés feltöltése befejeződött." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Hiba történt a biztonsági másolat visszaállításakor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Bitonsági mentések kezelése" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 -msgctxt "@message" -msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 -msgctxt "@message:title" -msgid "Slicing failed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 -msgctxt "@message:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 -msgctxt "@message:description" -msgid "Report a bug on Ultimaker Cura's issue tracker." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "Nem lehet szeletelni a jelenlegi alapanyaggal, mert nem kompatibilis a kiválasztott nyomtatóval, vagy a beállításaival." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "Nem lehet szeletelni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "Nem lehet szeletelni ezekkel a beállításokkal. Ezek a beállítások okoznak hibát: {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" -msgstr "Nem lehet szeletelni pár modell beállítás miatt. A következő beállításokokoznak hibát egy vagy több modellnél: {error_labels}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "Nem lehet szeletelni, mert az elsődleges torony, vagy az elsődleges pozíció érvénytelen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "Nem lehet szeletelni, mert vannak olyan objektumok, amelyek a letiltott Extruderhez vannak társítva.%s." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 -msgctxt "@info:status" -msgid "" -"Please review settings and check if your models:\n" -"- Fit within the build volume\n" -"- Are assigned to an enabled extruder\n" -"- Are not all set as modifier meshes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Réteg feldolgozás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Információ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura Profil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Nem sikerült elérni a frissítési információkat." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 -#, python-brace-format -msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" -msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s stable firmware available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "How to update" -msgstr "Hogyan frissíts" +msgid "Select settings" +msgstr "Beállítások kiválasztása" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "A modellek egyéni beállításainak kiválasztása" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Szűrés..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mindent mutat" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura biztonsági mentések" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura verzió" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Gépek" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Alapanyagok" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profilok" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Beépülők" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Többet szeretnél?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Biztonsági mentés most" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Automatikus biztonsági mentés" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Automatikusan létrehoz egy biztonsági mentést minden egyes nap, mikor a Cura indítva van." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Visszaállítás" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Biztonsági mentés törlés" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Biztosan szeretnéd törölni a biztonsági mentést? Ez nem vonható vissza." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Helyreállítás biztonsági mentésből" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "A biztonsági mentés helyreállítás előtt a Cura -t újra kell indítani.Bezárjuk most a Cura-t?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "A Cura beállítások biztonsági mentése és szinkronizálása." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Bejelentkezés" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Biztonsági mentéseim" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Nincs egyetlen biztonsági mentésed sem. Használd a 'Biztonsági mentés' gombot, hogy létrehozz egyet." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Az előnézeti szakaszban a látható biztonsági mentések száma 5 lehet.Ha szeretné látni a régebbieket, távolítson el egyet a láthatóak közül." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Nyomtató beállítás" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Szélesség)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Mélység)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Magasság)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Tárgyasztal alakja" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origó középen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Fűtött asztal" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Fűtött nyomtatási tér" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-kód illesztés" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Nyomtatófej beállítások" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Szán magasság" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Extruderek száma" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-kód kezdés" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-kód zárás" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Fűvóka beállítások" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Fúvóka méret" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Nyomtatószál átmérő" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Fúvóka X eltolás" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Fúvóka Y eltolás" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Hűtőventilátorok száma" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Extruder G-kód kezdés" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Extruder G-kód zárás" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Nyomtató" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" msgid "Update Firmware" msgstr "Firmware frissítés" -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Tömörített G-kód fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "A GCodeGzWriter nem támogatja a nem szöveges módot." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code Fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-kód elemzés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-kód részletek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Győződj meg róla, hogy a G-kód igazodik a nyomtatódhoz és beállításaihoz, mielőtt elküldöd a fájlt. A G-kód ábrázolása nem biztos, hogy pontos." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G fájl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "A GCodeWriter nem támogatja a szöveges nélüli módot." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Készítse elő a G-kódot az exportálás előtt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG kép" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG kép" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG kép" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP kép" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF kép" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 profil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Gép beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" -msgid "Per Model Settings" -msgstr "Modellenkénti beállítások" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "A firmware egy szoftver, ami közvetlenül a nyomtatón fut. Ez vezérli a léptető motorokat, szabályozza a hőmérsékleteket, és az egész nyomtató működését." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Modellenkénti beállítások konfigurálása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Utólagos műveletek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-kód módosítás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Előkészítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Előnézet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Mentés külső meghajtóra" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Mentés külső meghajtóra {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Nincsenek elérhető fájlformátumok az íráshoz!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Mentés külső meghajóra {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Mentés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Sikertelen mentés {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Nem található a fájlnév {device} -on az írási művelethez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Sikertelen mentés a {0}: {1} meghajtóra." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Mentve a {0} meghajtóra, mint {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Fájl Mentve" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Leválaszt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "{0} meghajtó leválasztása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0} leválasztva. Eltávolíthatod az adathordozót." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Hardver biztonságos eltávolítása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "{0} leválasztása sikertelen. A meghajtó használatban van." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Cserélhető meghajtó" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Szimuláció nézet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Réteg nézet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 -msgctxt "@text" -msgid "Unable to read example data file." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Felület nézet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" -msgid "Support Blocker" -msgstr "Támasz blokkoló" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "A firmware a nyomtató része, így a használatba vételkor már a gépen található.Azonban készülnek belőle újabb verziók, amik esetleges hibákat szüntetnek meg, illetve egyéb új funkciókat biztosíthatnak." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Hozzon létre egy kötetet, amelyben a támaszok nem kerülnek nyomtatásra." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" -msgid "Sync" -msgstr "" +msgid "Automatically upgrade Firmware" +msgstr "Automatikus firmware frissítés" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Egyedi firmware feltöltése" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "A firmware feltöltés nem lehetséges, mert nincs a nyomtatóval kapcsolat." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Elfogadás" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "A firmware feltöltés nem lehetséges, mert ugyan a nyomtató kapcsolódik, de az nem támogatja a firmware frissítést." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Kiegészítő licencszerződés" +msgid "Select custom firmware" +msgstr "Egyedi firmware kiválasztása" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 -msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA digitális eszközcsere" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Bináris" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF beágyazott JSON" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford háromszög formátum" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Tömörített COLLADA digitális eszközcsere" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker formátumcsomag" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Tárgyasztal szint" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "Válassz frissítést" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 -msgctxt "@action:button" -msgid "Monitor print" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 -msgctxt "@action:tooltip" -msgid "Track the print in Ultimaker Digital Factory" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 -#, python-brace-format -msgctxt "info:{0} gets replaced by a number of printers" -msgid "... and {0} other" -msgid_plural "... and {0} others" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 -msgctxt "info:status" -msgid "A cloud connection is not available for a printer" -msgid_plural "A cloud connection is not available for some printers" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 -msgctxt "info:status" -msgid "This printer is not linked to the Digital Factory:" -msgid_plural "These printers are not linked to the Digital Factory:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "{printer_name} will be removed until the next account sync." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "To remove {printer_name} permanently, visit {digital_factory_link}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "Are you sure you want to remove {printer_name} temporarily?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" -msgid "Remove printers?" -msgstr "" +msgid "Firmware Update" +msgstr "Firmware frissítés" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" -msgid "" -"You are about to remove {0} printer from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgid_plural "" -"You are about to remove {0} printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr[0] "" -msgstr[1] "" +msgid "Updating firmware." +msgstr "A firmware frissítése." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" -msgid "" -"You are about to remove all printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr "" +msgid "Firmware update completed." +msgstr "Firmware frissítés kész." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Kezdjük el" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Olyan nyomtatóval próbál csatlakozni, amelyen nem fut az Ultimaker Connect. Kérjük, frissítse a nyomtatón a firmware-t." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Frissítse a nyomtatót" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "A Cura olyan anyagprofilt észlel, amelyet még nem telepítettek a(z) {0} csoport gazdanyomtatójára." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Anyagok küldése a nyomtatóra" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Megpróbált csatlakozni a (z) {0} -hez, de a gép nem része a csoportnak.Látogasson el a weboldalra, és konfigurálhatja azt csoporttagnak." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Nem csoport" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Csoport konfiguráció" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Várja meg, amíg az aktuális feladat elküldésre kerül." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Nyomtatási hiba" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Nem sikerült feltölteni az adatokat a nyomtatóra." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Hálózati hiba" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Nyomtatási feladat küldése" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "A nyomtatási feladat feltöltése a nyomtatóra." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "A nyomtatási feladat sikeresen elküldésre került a nyomtatóra." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Adatok elküldve" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Hálózati nyomtatás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Hálózati nyomtatás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Csatlakozva hálózaton keresztül" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Hálózati csatlakozás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "holnap" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "ma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB nyomtatás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Nyomtatás USB-ről" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Nyomtatás USB-ről" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Csatlakozás USB-n" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "USB nyomtatás folyamatban van, a Cura bezárása leállítja ezt a nyomtatást. Biztos vagy ebben?" +msgid "Firmware update failed due to an unknown error." +msgstr "A firmware frissítés meghiúsult ismeretlen hiba miatt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "A nyomtatás még folyamatban van. A Cura nem indíthat új nyomtatást USB-n keresztül, amíg az előző nyomtatás be nem fejeződött." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "A firmware frissítés meghiúsult kommunikációs hiba miatt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Nyomtatás folyamatban" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "A firmware frissítés meghiúsult input/output hiba miatt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D Fájl" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "A firmware frissítés meghiúsult, mert nem található a firmware." -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Röntgen nézet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Néhány dolog problémát jelenthet ebben a nyomtatásban.Kattintson ide a beállítási tippek megtekintéséhez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Projekt megnyitása" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Összegzés - Cura Project" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Nyomtató beállítások" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Hogyan lehet megoldani a gépet érintő konfliktust?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Típus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Nyomtató csoport" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Profil beállítások" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Hogyan lehet megoldani a profilt érintő konfliktust?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Név" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Nincs a profilban" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 felülírás" msgstr[1] "%1 felülírás" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Származék" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 felülírás" msgstr[1] "%1, %2 felülírás" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Alapanyag beállítások" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Hogyan lehet megoldani az alapanyaggal kapcsolatos konfliktust?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Beállítások láthatósága" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mód" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Látható beállítások:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 %2 -ből" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "A projekt betöltésekor minden modell törlődik a tárgyasztalról." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Megnyitás" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Többet szeretnél?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Biztonsági mentés most" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatikus biztonsági mentés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Automatikusan létrehoz egy biztonsági mentést minden egyes nap, mikor a Cura indítva van." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Visszaállítás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Biztonsági mentés törlés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Biztosan szeretnéd törölni a biztonsági mentést? Ez nem vonható vissza." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Helyreállítás biztonsági mentésből" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "A biztonsági mentés helyreállítás előtt a Cura -t újra kell indítani.Bezárjuk most a Cura-t?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura verzió" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Gépek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Alapanyagok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profilok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Beépülők" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura biztonsági mentések" +msgid "Post Processing Plugin" +msgstr "Utó művelet beépülő" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Biztonsági mentéseim" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Nincs egyetlen biztonsági mentésed sem. Használd a 'Biztonsági mentés' gombot, hogy létrehozz egyet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Az előnézeti szakaszban a látható biztonsági mentések száma 5 lehet.Ha szeretné látni a régebbieket, távolítson el egyet a láthatóak közül." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "A Cura beállítások biztonsági mentése és szinkronizálása." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Bejelentkezés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Firmware frissítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "A firmware egy szoftver, ami közvetlenül a nyomtatón fut. Ez vezérli a léptető motorokat, szabályozza a hőmérsékleteket, és az egész nyomtató működését." +msgid "Post Processing Scripts" +msgstr "Utó művelet szkript" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Adjon hozzá egy szkriptet" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "A firmware a nyomtató része, így a használatba vételkor már a gépen található.Azonban készülnek belőle újabb verziók, amik esetleges hibákat szüntetnek meg, illetve egyéb új funkciókat biztosíthatnak." +msgid "Settings" +msgstr "Beállítások" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automatikus firmware frissítés" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Egyedi firmware feltöltése" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "" +msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "A firmware feltöltés nem lehetséges, mert nincs a nyomtatóval kapcsolat." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "A firmware feltöltés nem lehetséges, mert ugyan a nyomtató kapcsolódik, de az nem támogatja a firmware frissítést." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Egyedi firmware kiválasztása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Firmware frissítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "A firmware frissítése." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Firmware frissítés kész." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "A firmware frissítés meghiúsult ismeretlen hiba miatt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "A firmware frissítés meghiúsult kommunikációs hiba miatt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "A firmware frissítés meghiúsult input/output hiba miatt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "A firmware frissítés meghiúsult, mert nem található a firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Kép konvertálás..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Az egyes pixelek legnagyobb távolsága \"Base.\"" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Magasság (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Az alap magassága a tárgyasztaltól mm -ben." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Alap (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "A szélesség mm -ben a tárgyasztalon." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Szélesség (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "A mélység mm-ben a tárgyasztalon" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Mélység (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "A litofánok esetében a sötét képpontoknak a vastagabb helyek felelnek meg.Ez azért van így, mert minél vastagabb a hely, annál kevesebb fényt enged át.A magassági térképeknél a világosabb képpontok magasabb szintnek felelnek meg, tehát a generált 3D modellnél ezeket figyelembe kell venni.Ez azt is jelenti, hogy általában a generált modell a tényleges kép negatívja kell, hogy legyen." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "A sötétebb a magasabb" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "A világosabb a magasabb" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "A kép simításának mértéke." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Simítás" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Nyomtató" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Fűvóka beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 msgctxt "@label" -msgid "Nozzle size" -msgstr "Fúvóka méret" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Kérjük, válassza ki az Ultimaker Original eredeti frissítéseit" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Fűthető tárgyasztal (eredeti vagy utólag épített)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Tálca szintezés" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Nyomtatószál átmérő" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Azért, hogy nyomtattandó testek megfelelően letapadjanak, lehetőség van beállítani a nyomtatótálcát. Ha rákattint a 'Mozgás a következő pozícióba' gombra, a fej átmozgatható a különböző beállítási helyzetekbe." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Fúvóka X eltolás" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Minden helyzetben helyezzen be egy darab papírt (A4) a fúvóka alá, és állítsa be a fej magasságát.A nyomtató tálca magassága akkor megfelelő, ha a papírt kissé megfogja a fúvóka vége." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Fúvóka Y eltolás" +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Tálca szintezés indítása" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Hűtőventilátorok száma" +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Mozgás a következő pozícióba" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Extruder G-kód kezdés" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "További információ a névtelen adatgyűjtésről" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Extruder G-kód zárás" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javítása érdekében. Az alábbiakban található egy példa az összes megosztott adatra:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Nyomtató beállítás" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Nem szeretnék részt venni az adatgyűjtésben" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Szélesség)" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Anonim adatok küldésének engedélyezése" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Mélység)" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Áruház" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Magasság)" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "A csomagok változásainak érvénybe lépése előtt újra kell indítania a Cura-t." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Tárgyasztal alakja" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Origó középen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Fűtött asztal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Fűtött nyomtatási tér" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "G-kód illesztés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Nyomtatófej beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Szán magasság" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Extruderek száma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-kód kezdés" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Telepítés" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-kód zárás" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Telepítve" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Kompatibilitás" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Gép" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Tárgyasztal" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Támasz" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Minőség" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Technikai adatlap" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Biztonsági adatlap" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Nyomtatási útmutató" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Weboldal" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Bejelentkezés szükséges a telepítéshez vagy frissítéshez" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Anyagtekercsek vásárlása" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Frissítés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Frissítés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Frissítve" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Vissza" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "Kiegészítők" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Alapanyagok" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Telepítve" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 +msgctxt "@label" +msgid "Will install upon restarting" +msgstr "Telepítés után újraindul" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Bejelentkezés szükséges a frissítéshez" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Leminősítés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Eltávolítás" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 +msgctxt "@label" +msgid "Community Contributions" +msgstr "Közösségi hozzájárulások" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 +msgctxt "@label" +msgid "Community Plugins" +msgstr "Közösségi bővítmények" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 +msgctxt "@label" +msgid "Generic Materials" +msgstr "Általános anyagok" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Csomagok beolvasása..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 +msgctxt "@label" +msgid "Website" +msgstr "Weboldal" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 +msgctxt "@label" +msgid "Email" +msgstr "Email" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 +msgctxt "@label" +msgid "Version" +msgstr "Verzió" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 +msgctxt "@label" +msgid "Last updated" +msgstr "Utosó frissítés" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 +msgctxt "@label" +msgid "Brand" +msgstr "Márka" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 +msgctxt "@label" +msgid "Downloads" +msgstr "Letöltések" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Nem sikerült csatlakozni a Cura Package adatbázishoz. Kérjük, ellenőrizze a kapcsolatot." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 +msgctxt "@label" +msgid "You need to accept the license to install the package" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Következő" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 +msgctxt "@label" +msgid "The following packages will be added:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 +msgctxt "@label" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Eltávolítás jóváhagyása" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Távolítsd el a még használatban lévő anyagokat és / vagy profilokat.A megerősítés visszaállítja az alapanyagokat / profilokat alapértelmezett értékükre." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Alapanyagok" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profilok" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Jóváhagy" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +msgctxt "@label" +msgid "Color scheme" +msgstr "Szín séma" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Alapanyag szín" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Vonal típus" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 +msgctxt "@label" +msgid "Compatibility Mode" +msgstr "Kompatibilis mód" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 +msgctxt "@label" +msgid "Travels" +msgstr "Átmozgás" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 +msgctxt "@label" +msgid "Helpers" +msgstr "Segítők" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 +msgctxt "@label" +msgid "Shell" +msgstr "Héj" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +msgctxt "@label" +msgid "Infill" +msgstr "Kitöltés" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 +msgctxt "@label" +msgid "Starts" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 +msgctxt "@label" +msgid "Only Show Top Layers" +msgstr "Csak a felső rétegek megjelenítése" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Mutasson 5 felső réteget részletesen" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Felső / Alsó" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Belső fal" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Nyomtató kezelés" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Üveg" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "A távoli nyomtatásisor kezeléshez kérjük frissítse a firmware-t." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Betöltés..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Elérhetetlen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Elérhetetlen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Készenlét" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Előkészítés..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Felirat nélküli" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Névtelen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "A konfiguráció változtatásokat igényel" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Részletek" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Elérhetetlen nyomtató" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Az első elérhető" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Nyomtatási Sor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Kezelés a böngészőben" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Nincs a sorban nyomtatási feladat. Szeletelj és adj hozzá egy feladatot." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Nyomtatások" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Teljes nyomtatási idő" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Várakozom" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Nyomtatás hálózaton" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Nyomtatás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Nyomtató kiválasztás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Konfiguráció változások" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Felülírás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatás szükséges:" +msgstr[1] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatások szükségesek:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "A %1 nyomtató hozzá van rendelve a feladathoz, azonban az ismeretlen anyagot tartalmaz." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Változtasd meg az %1 anyagot %2 -ről %3 -ra." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Töltsd be %3 -at %1 anyagként. (Ez nem felülbírálható)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Cseréld a nyomtató magot %1 -ről %2 -re, %3 -hoz." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Változtasd meg a tálcát %1 -re (Ez nem felülbírálható)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "A felülbírálás a megadott beállításokat fogja használni a meglévő nyomtató konfigurációval, azonban ez eredménytelen nyomtatáshoz vezethet." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Alumínium" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Befejezve" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Megszakítás..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Megszakítva" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Várakozás..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Várakozás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Folytatás..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Beavatkozás szükséges" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Befejezve %1 a %2 -ből" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Csatlakozás hálózati nyomtatóhoz" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Ha hálózaton keresztül szeretnél közvetlenül nyomtatni, akkor győződj meg arról, hogy a nyomtató csatlakozik vezetékes, vagy vezeték nélküli hálózathoz. Ha nincs elérhető hálózat, akkor közvetlenül USB kapcsolaton keresztül is tudsz nyomtatni." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Válaszd ki a nyomtatódat az alábbi listából:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Szerkeszt" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Eltávolít" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Frissít" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Ha a nyomtatód nincs a listában, olvasd el a hálózati nyomtatás hibaelhárítási útmutatót" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Típus" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Frimware verzió" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Cím" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Ez a nyomtató nem úgy van beállítva, hogy nyomtatócsoportot üzemeltessen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Ez a nyomtató gazdagépe a %1 nyomtatócsoportnak." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "A címen található nyomtató még nem válaszolt." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Csatlakozás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Hibás IP cím" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Kérlek adj meg egy érvényes IP címet." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Nyomtató cím" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Írd be a nyomtató hálózati IP címét." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Lépj a tetjére" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Törlés" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Folytat" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Várakozás..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Folytatás..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Várakozás" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Megszakítás..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Megszakít" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Biztos, hogy a %1 a nyomtatási sor elejére akarod mozgatni?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Tedd a nyomtatási sor elejére" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Biztos, hogy törölni szeretnéd %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Nyomtatási feladat törlés" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Biztosan meg akarod szakítani %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Nyomtatás megszakítás" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2311,1668 +3315,637 @@ msgstr "" "- Ellenőrizd, hogy a nyomtató csatlakozik a hálózathoz\n" "- Ellenőrizd, hogy fel vagy-e jelentkezve a felhőbe." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Csatlakoztasd a nyomtatót a hálózathoz." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Nézd meg az online felhasználói kézikönyvet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Háló típus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normál mód" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Támaszként nyomtassa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Beállítások kiválasztása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "A modellek egyéni beállításainak kiválasztása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Szűrés..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mindent mutat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Utó művelet beépülő" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Utó művelet szkript" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Adjon hozzá egy szkriptet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Néhány dolog problémát jelenthet ebben a nyomtatásban.Kattintson ide a beállítási tippek megtekintéséhez." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Szín séma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Alapanyag szín" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Vonal típus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" +msgid "3D View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Kompatibilis mód" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Átmozgás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Segítők" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Héj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Kitöltés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Csak a felső rétegek megjelenítése" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Mutasson 5 felső réteget részletesen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Felső / Alsó" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Belső fal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "További információ a névtelen adatgyűjtésről" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javítása érdekében. Az alábbiakban található egy példa az összes megosztott adatra:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Nem szeretnék részt venni az adatgyűjtésben" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Anonim adatok küldésének engedélyezése" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Vissza" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Kompatibilitás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Gép" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Tárgyasztal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Támasz" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Minőség" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technikai adatlap" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Biztonsági adatlap" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Nyomtatási útmutató" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Weboldal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Telepítve" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Bejelentkezés szükséges a telepítéshez vagy frissítéshez" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Anyagtekercsek vásárlása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Frissítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Frissítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Frissítve" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" +msgid "Front View" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "" +msgid "Object list" +msgstr "Objektum lista" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "A csomagok változásainak érvénybe lépése előtt újra kell indítania a Cura-t." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Kiegészítők" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Alapanyagok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Telepítve" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Telepítés után újraindul" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Bejelentkezés szükséges a frissítéshez" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Leminősítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Eltávolítás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Telepítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Következő" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Eltávolítás jóváhagyása" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Távolítsd el a még használatban lévő anyagokat és / vagy profilokat.A megerősítés visszaállítja az alapanyagokat / profilokat alapértelmezett értékükre." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Alapanyagok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profilok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Jóváhagy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Weboldal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Email" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Verzió" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Utosó frissítés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Márka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Letöltések" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Közösségi hozzájárulások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Közösségi bővítmények" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Általános anyagok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Nem sikerült csatlakozni a Cura Package adatbázishoz. Kérjük, ellenőrizze a kapcsolatot." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Csomagok beolvasása..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" -msgstr "Áruház" +msgstr "Piactér" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Tálca szintezés" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Fájl" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Azért, hogy nyomtattandó testek megfelelően letapadjanak, lehetőség van beállítani a nyomtatótálcát. Ha rákattint a 'Mozgás a következő pozícióba' gombra, a fej átmozgatható a különböző beállítási helyzetekbe." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "S&zerkesztés" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Minden helyzetben helyezzen be egy darab papírt (A4) a fúvóka alá, és állítsa be a fej magasságát.A nyomtató tálca magassága akkor megfelelő, ha a papírt kissé megfogja a fúvóka vége." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Nézet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Tálca szintezés indítása" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Beállítások" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Mozgás a következő pozícióba" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "K&iterjesztések" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Kérjük, válassza ki az Ultimaker Original eredeti frissítéseit" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referenciák" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Fűthető tárgyasztal (eredeti vagy utólag épített)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Segítség" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Csatlakozás hálózati nyomtatóhoz" +msgid "New project" +msgstr "Új projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Ha hálózaton keresztül szeretnél közvetlenül nyomtatni, akkor győződj meg arról, hogy a nyomtató csatlakozik vezetékes, vagy vezeték nélküli hálózathoz. Ha nincs elérhető hálózat, akkor közvetlenül USB kapcsolaton keresztül is tudsz nyomtatni." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Biztos benne, hogy új projektet akar kezdeni? Ez törli az alapsíkot és az összes nem mentett beállítást." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Válaszd ki a nyomtatódat az alábbi listából:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Szerkeszt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Eltávolít" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Frissít" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Ha a nyomtatód nincs a listában, olvasd el a hálózati nyomtatás hibaelhárítási útmutatót" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Típus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Frimware verzió" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Cím" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Ez a nyomtató nem úgy van beállítva, hogy nyomtatócsoportot üzemeltessen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Ez a nyomtató gazdagépe a %1 nyomtatócsoportnak." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "A címen található nyomtató még nem válaszolt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Csatlakozás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Hibás IP cím" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Kérlek adj meg egy érvényes IP címet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Nyomtató cím" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Írd be a nyomtató hálózati IP címét." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Konfiguráció változások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Felülírás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatás szükséges:" -msgstr[1] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatások szükségesek:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "A %1 nyomtató hozzá van rendelve a feladathoz, azonban az ismeretlen anyagot tartalmaz." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Változtasd meg az %1 anyagot %2 -ről %3 -ra." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Töltsd be %3 -at %1 anyagként. (Ez nem felülbírálható)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Cseréld a nyomtató magot %1 -ről %2 -re, %3 -hoz." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Változtasd meg a tálcát %1 -re (Ez nem felülbírálható)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "A felülbírálás a megadott beállításokat fogja használni a meglévő nyomtató konfigurációval, azonban ez eredménytelen nyomtatáshoz vezethet." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Üveg" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alumínium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Lépj a tetjére" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Törlés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Folytat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Várakozás..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Folytatás..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Várakozás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Megszakítás..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Megszakít" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Biztos, hogy a %1 a nyomtatási sor elejére akarod mozgatni?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Tedd a nyomtatási sor elejére" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Biztos, hogy törölni szeretnéd %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Nyomtatási feladat törlés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Biztosan meg akarod szakítani %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Nyomtatás megszakítás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Nyomtató kezelés" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "A távoli nyomtatásisor kezeléshez kérjük frissítse a firmware-t." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Betöltés..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Elérhetetlen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Elérhetetlen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Készenlét" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Előkészítés..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Felirat nélküli" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Névtelen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "A konfiguráció változtatásokat igényel" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Részletek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Elérhetetlen nyomtató" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Az első elérhető" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Megszakítva" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Befejezve" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Megszakítás..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Várakozás..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Várakozás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Folytatás..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Beavatkozás szükséges" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Befejezve %1 a %2 -ből" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Nyomtatási Sor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Kezelés a böngészőben" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Nincs a sorban nyomtatási feladat. Szeletelj és adj hozzá egy feladatot." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Nyomtatások" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Teljes nyomtatási idő" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Várakozom" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Nyomtatás hálózaton" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Nyomtatás" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Nyomtató kiválasztás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Bejelentkezés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Nincs időbecslés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Nincs költségbecslés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Előnézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Időbecslés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Anyag becslés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Szeletelés..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Nem szeletelhető" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Feldolgozás" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Szeletelés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Szeletelés indítása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Elvet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mutassa az online hibaelhárítási útmutatót" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Teljes képernyőre váltás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Kilépés a teljes képernyőn" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Visszavon" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Újra" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "Kilép" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D nézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Előlnézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Felülnézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Bal oldalnézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Jobb oldalnézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Cura beállítása..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Nyomtató hozzáadása..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Nyomtatók kezelése..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Anyagok kezelése..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "Profil &frissítése a jelenlegi beállításokkal/felülírásokkal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Jelenlegi változtatások eldobása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "Profil &létrehozása a jelenlegi beállításokkal/felülírásokkal..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profilok kezelése..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Online &Dokumentumok megjelenítése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Hibajelentés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Újdonságok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Rólunk..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Modell törlés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "&Középső modell a platformon" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Csoportosítás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Csoport bontása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Modellek keverése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Modell többszörözés..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Mindent kijelöl" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Tárgyasztal törlése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Mindent újratölt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Minden modell elrendezése a tárgyasztalon" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Minden modell rendezése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Kijelöltek rendezése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Minden modellpozíció visszaállítása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Minden modelltranszformáció visszaállítása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "Fájl(ok) megnyitása..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "Új projekt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Konfigurációs mappa megjelenítése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Beállítások láthatóságának beállítása..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Piactér" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Ez a csomag újraindítás után fog települni." +msgid "Time estimation" +msgstr "Időbecslés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Általános" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Anyag becslés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Beállítások" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Nyomtatók" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profilok" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Nincs időbecslés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Nincs költségbecslés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Előnézet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Fájl(ok) megnyitása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Csomag telepítése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Fájl(ok) megnyitása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "A kiválasztott fájlok között több G-kód fájl is található.Egyszerre csak egy G-kód fájlt nyithat meg, ezért csak egy ilyen fájlt válasszon ki." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "Nyomtató hozzáadása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" -msgid "What's New" -msgstr "Újdonságok" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Hálózati nyomtató hozzáadása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Helyi nyomtató hozzáadása" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Nyomtató hozzáadása IP címmel" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Hozzáad" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Nem sikerült csatlakozni az eszközhöz." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "Az ezen a címen található nyomtató még nem válaszolt." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Ezt a nyomtatót nem lehet hozzáadni, mert ismeretlen a nyomtató vagy nem egy csoport tagja." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Vissza" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Csatlakozás" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Felhasználói Szerződés" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Elutasítás és bezárás" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Üdvözöljük az Ultimaker Cura-ban" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Kezdj hozzá" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nyomtató név" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "A hálózaton nem található nyomtató." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Frissítés" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Nyomtató hozzáadása IP címmel" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Hibaelhárítás" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Segítsen nekünk az Ultimaker Cura fejlesztésében" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javításának érdekében, ideértve:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Géptípusok" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Anyagfelhasználás" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Szeletek száma" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Nyomtatási beállítások" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Az Ultimaker Cura által gyűjtött adatok nem tartalmaznak személyes információt." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Több információ" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" +msgid "What's New" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Üres" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "verzió: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Teljes körű megoldás az olvadószálas 3D-s nyomtatáshoz." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" "Cura proudly uses the following open source projects:" msgstr "A Cura-t az Ultimaker B.V fejlesztette ki a közösséggel együttműködésben. A Cura büszkén használja a következő nyílt forráskódú projekteket:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Grafikai felhasználói interfész" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Alkalmazás keretrendszer" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-kód generátor" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Folyamatközi kommunikációs könyvtár" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Programozási nyelv" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI keretrendszer" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI keretrendszer függőségek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C++ függőségek könyvtár" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Adat csere formátum" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Támogató könyvtár a tudományos számítások számára" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Támogató könyvtár a gyorsabb matematikához" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Támogató könyvtár az STL fájlok kezeléséhez" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Támogató könyvtár a sík objektumok kezeléséhez" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Támogató könyvtár a háromszög hálók kezeléséhez" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Támogató könyvtár a 3MF fájlok kezeléséhez" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Támogató könyvtár a fájl metaadatokhoz és továbbításához" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Soros kommunikációs könyvtár" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf felderítő könyvtár" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Poligon daraboló könyvtár" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Betűtípus" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG ikonok" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux kereszt-disztribúciós alkalmazás telepítése" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Projekt fájl megnyitása" +msgid "Open file(s)" +msgstr "Fájl(ok) megnyitása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Ez egy Cura projekt fájl. Szeretné projektként megnyitni, vagy importálni a modelleket?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Egy vagy több projekt fájlt találtunk a kiválasztott fájlokban.Egyszerre csak egy projekt fájlt nyithat meg. Javasoljuk, hogy csak a modelleket importálja ezekből a fájlokból. Szeretné folytatni?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Emlékezzen a választásra" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Megnyitás projektként" +msgid "Import all as models" +msgstr "Importáljunk mindent modellekként" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Projekt mentése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & alapanyag" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Alapanyag" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Ne mutassa újra a projekt összegzését mentés közben" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Modellek importálása" +msgid "Save" +msgstr "Mentés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Változtatások megtartása vagy eldobása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3980,1251 +3953,144 @@ msgid "" "Alternatively, you can discard the changes to load the defaults from '%1'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Profil beállítások" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Mindig kérdezz" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Eldobás és ne kérdezze újra" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Megtartás és ne kérdezze újra" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Projekt fájl megnyitása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Egy vagy több projekt fájlt találtunk a kiválasztott fájlokban.Egyszerre csak egy projekt fájlt nyithat meg. Javasoljuk, hogy csak a modelleket importálja ezekből a fájlokból. Szeretné folytatni?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Ez egy Cura projekt fájl. Szeretné projektként megnyitni, vagy importálni a modelleket?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Emlékezzen a választásra" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importáljunk mindent modellekként" +msgid "Open as project" +msgstr "Megnyitás projektként" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Projekt mentése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & alapanyag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Alapanyag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Ne mutassa újra a projekt összegzését mentés közben" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Mentés" +msgid "Import models" +msgstr "Modellek importálása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Kiválasztott modell nyomtatása %1" -msgstr[1] "Kiválasztott modellek nyomtatása %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Névtelen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Fájl" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "S&zerkesztés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Nézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "K&iterjesztések" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referenciák" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Segítség" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Új projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Biztos benne, hogy új projektet akar kezdeni? Ez törli az alapsíkot és az összes nem mentett beállítást." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Piactér" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfigurációk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Ez a konfiguráció nem érhető el, mert a(z) %1 nem azonosítható. Kérjük, látogasson el a %2 webhelyre a megfelelő anyagprofil letöltéséhez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Piactér" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Az elérhető konfigurációk betöltése a nyomtatóról..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "A konfiguráció nem elérhető, mert nincs kapcsolat a a nyomtatóval." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Konfiguráció kiválasztása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfigurációk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Egyéni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Nyomtató" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Bekapcsolt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Alapanyag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Használj ragasztót a jobb tapadás érdekében, ennél az alapanyag kombinációnál." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Kiválasztott modell nyomtatása:" -msgstr[1] "Kiválasztott modellek nyomtatása:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Kiválasztott modell sokszorozása" -msgstr[1] "Kiválasztott modellek sokszorozása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Másolatok száma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Kiválasztás exportálása..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Alapanyag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Kedvencek" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Generikus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Hálózati nyomtatók" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Helyi nyomtatók" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Legutóbbi fájlok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Nyomtató" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Alapanyag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Beállítva aktív extruderként" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Extruder engedélyezése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Extruder letiltása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Láthatósági beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Beállítások láthatóságának kezelése..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Kamera helyzet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Kamera nézet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektívikus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Merőleges" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Tárgyasztal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Nincs nyomtatóhoz csatlakoztatva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "A nyomtató nem fogadja a parancsokat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Karbantartás alatt. Ellenőrizze a nyomtatót" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Elveszett a kapcsolat a nyomtatóval" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Nyomtatás..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Felfüggsztve" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Előkészítés..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Távolítsa el a tárgyat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Nyomtatás megszakítás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Biztosan meg akarod szakítani a nyomtatást?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Objektum lista" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interfész" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Pénznem:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Téma:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "A módosítások érvénybe lépéséhez újra kell indítania az alkalmazást." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Automatikus újraszeletelés, ha a beállítások megváltoznak." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatikus szeletelés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "A nézetablak viselkedése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Jelölje meg pirossal azokat a területeket, amiket szükséges alátámasztani.Ha ezeket a részeket nem támasztjuk alá, a nyomtatás nem lesz hibátlan." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Túlnyúlás kijelzése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "A kamerát úgy mozgatja, hogy a modell kiválasztásakor, az a nézet középpontjában legyen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Kamera középre, mikor az elem ki van választva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Megfordítsuk-e az alapértelmezett Zoom viselkedését?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Fordítsa meg a kamera zoom irányát." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "A nagyítás az egér mozgatásának irányában mozogjon?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Az egér felé történő nagyítás ortográfiai szempontból nem támogatott." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Nagyítás az egér mozgás irányában" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Az alapsíkon lévő modelleket elmozgassuk úgy, hogy ne keresztezzék egymást?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "A modellek egymástól való távtartásának biztosítása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "A modelleket mozgatni kell lefelé, hogy érintsék a tárgyasztalt?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Modellek automatikus tárgyasztalra illesztése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Figyelmeztető üzenet megjelenítése g-kód olvasóban." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Figyelmeztető üzenet a g-code olvasóban" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Kényszerítsük a réteget kompatibilitási módba ?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "A rétegnézet kompatibilis módjának kényszerítése (újraindítás szükséges)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Milyen fípusú fényképezőgépet használunk?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspetívikus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Merőleges" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Fájlok megnyitása és mentése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "A modelleket átméretezzük a maximális építési méretre, ha azok túl nagyok?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Nagy modellek átméretezése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Egy adott modell rendkívül kicsinek tűnhet, ha mértékegysége például méterben van, nem pedig milliméterben. Ezeket a modelleket átméretezzük?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Extrém kicsi modellek átméretezése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Betöltés után a modellek legyenek kiválasztva?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Modell kiválasztása betöltés után" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "A nyomtató nevét, mint előtagot, hozzáadjuk a nyomtatási feladat nevéhez?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Gépnév előtagként a feladatnévben" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Mutassuk az összegzést a projekt mentésekor?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Összegzés megjelenítése projekt mentésekor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Mindig kérdezz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Projektként való megnyitás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importálja a modelleket" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Ha módosított egy profilt, és váltott egy másikra, akkor megjelenik egy párbeszédpanel, amelyben megkérdezi, hogy meg kívánja-e tartani a módosításokat, vagy nem. Vagy választhat egy alapértelmezett viselkedést, és soha többé nem jeleníti meg ezt a párbeszédablakot." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profilok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Alapértelmezett viselkedés a megváltozott beállítási értékeknél, ha másik profilra vált: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Megváltozott beállítások elvetése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Megváltozott beállítások alkalmazása az új profilba" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Magán" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Elküldjük a nyomtatott adatokat név nélkül az Ultimaker-nek?Semmilyen személyes infromáció, IP cím vagy azonosító nem kerül elküldésre." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Név nélküli információ küldés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Több információ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "A Cura-nak ellenőriznie kell-e a frissítéseket a program indításakor?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Keressen frissítéseket az induláskor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktivál" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Átnevezés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Létrehoz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Másolat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Import" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Export" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Nyomtató" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Eltávolítás megerősítése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Biztosan el akarod távolítani %1 -et? Ez nem vonható vissza!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Alapanyag importálás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Nem sikerült importálni az alapanyagot %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Sikeres alapanyag import %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Alapanyag export" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Sikertelen alapanyag export %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Sikeres alapanyag export %1 -ba" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Információ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Új átmérő megerősítése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Az új nyomtatószál átmérő %1 mm -re lett beállítva. Ez nem kompatibilis a jelenlegi extruderrel. Biztos, hogy így folytatod?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Megjelenítendő név" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Alapanyag típus" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Szín" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Tulajdonságok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Sűrűség" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Átmérő" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Nyomtatószál költség" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Nyomtatószál súly" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Nyomtatószál hossz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Költség / méter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Ez az anyag kapcsolódik% 1 -hez és osztja néhány tulajdonságát." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Alapanyag leválasztása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Leírás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Tapadási információ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Nyomtatási beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Létrehozás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Másolás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profil készítés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Adjon nevet ehhez a profilhoz." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profil másolása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profil átnevezés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profil importálás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profil exportálás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Nyomtató: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Frissítse a profilt az aktuális beállításokkal/felülbírálásokkal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "A jelenlegi változások elvetése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Ez a profil a nyomtató által megadott alapértelmezéseket használja, tehát az alábbi listában nincs egyetlen beállítás módosítás sem." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Az Ön aktuális beállításai megegyeznek a kiválasztott profillal." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Általános beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Számított" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Beállítás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Jelenlegi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Egység" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Láthatóság beállítása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Mindent ellenőrizni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "A nyomtatófej célhőmérséklete. A fűtőblokk hőmérséklete a beállított értékre fog melegedni, vagy éppen hűlni. Ha ez az érték 0, akkor a fejfűtés ki fog kapcsolni." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Ennek a fejnek a jelenlegi hőmérséklete." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "A nyomtatófej előmelegítési hőmérséklete." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Elvet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Előfűtés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "A nyomtatófejet a nyomtatás előtt előre felmelegíti. Ez alatt az idő alatt tudod folytatni a nyomtatás beállítását, esetleg a szeletelést, s mire ezekkel a műveletekkel elkészülsz, a nyomtató már készen fog állni a nyomtatásra.Így nem kell majd várnod a gép felmelegedésére." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Az alapanyag színe ennél az extrudernél." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Az alapanyag ebben az extruderben." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "A fúvóka be van építve az extruderbe." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Tárgyasztal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "A fűthető ágy beállítható célhőmérséklete. Ha beállítjuk ezt az értéket a tálca elkezd erre a hőmérsékletre melegedni, vagy éppen lehűlni. Ha az érték 0 a tálcafűtés kikapcsol." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "A fűthető ágy aktuális hőmérséklete." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "A tálca előmelegítési hőmérséklete." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "A fűthető tálcát, a nyomtatás előtt előre felmelegíti. Ez alatt az idő alatt tudod folytatni a nyomtatás beállítását, esetleg a szeletelést, s mire ezekkel a műveletekkel elkészülsz, a nyomtató már készen fog állni a nyomtatásra.Így nem kell majd várnod a gép felmelegedésére." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Nyomtató vezérlés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Léptetőgomb pozíció" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Léptetőgomb távolság" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "G-kód küldés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Küldjön egy egyéni G-kód parancsot a csatlakoztatott nyomtatóra. A parancs elküldéséhez nyomja meg az 'enter' gombot." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "A nyomtató nincs csatlakoztatva." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Nyomtató hozzáadása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Nyomtatók kezelése" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Csatlakoztatott nyomtatók" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Előre beállított nyomtatók" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Aktív nyomtatás" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Feladat név" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Nyomtatási idő" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Becsült hátralévő idő" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Nyomtató hozzáadása" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Nyomtatók kezelése" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Csatlakoztatott nyomtatók" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Előre beállított nyomtatók" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Nyomtatási beállítások" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "A nyomtatás beállítása letiltva. A G-kód fájl nem módosítható." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5235,120 +4101,1700 @@ msgstr "" "\n" "Kattints, hogy megnyisd a profil menedzsert." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "A jelenlegi változások elvetése" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Ajánlott" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Egyéni" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Be" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Ki" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Tapasztalati" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "" msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "A nyomtatás beállítása letiltva. A G-kód fájl nem módosítható." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Ajánlott" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Egyéni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Be" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Ki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Tapasztalati" +msgid "Profiles" +msgstr "Profilok" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Letapadás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Engedélyezze a peremet, vagy az aláúsztatást. Ez létre fog hozni a test szélén illetve az alján egy olyan részt, ami segíti a letapadást, viszont nyomtatás után ezek könnyen eltávolíthatóak a testről." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Fokozatos kitöltés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "A fokozatos kitöltés folyamatosan növeli a kitöltés mennyiségét, ahogy közeledik a tárgy teteje felé." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Megváltoztattál néhány profilbeállítást. Ha ezeket szeretnéd folyamatosan megtartani, akkor válaszd az 'Egyéni mód' -ot." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Támasz" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "A támasz létrehozása segíti a modell kinyúló részeinek hibátlan nyomatását. Támasz nélkül, ezek a részek összeomlanak, és nem lehetséges a hibátlan nyomtatás." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Egyes beállítások eltérő értéken vannak a normál, kalkulált értékektől.\n" -"\n" -"Kattints, hogy ezek a beállítások láthatók legyenek." +msgid "Gradual infill" +msgstr "Fokozatos kitöltés" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "A fokozatos kitöltés folyamatosan növeli a kitöltés mennyiségét, ahogy közeledik a tárgy teteje felé." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Letapadás" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Engedélyezze a peremet, vagy az aláúsztatást. Ez létre fog hozni a test szélén illetve az alján egy olyan részt, ami segíti a letapadást, viszont nyomtatás után ezek könnyen eltávolíthatóak a testről." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Hálózati nyomtatók" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Helyi nyomtatók" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Alapanyag" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Kedvencek" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Generikus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Kiválasztott modell nyomtatása:" +msgstr[1] "Kiválasztott modellek nyomtatása:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Kiválasztott modell sokszorozása" +msgstr[1] "Kiválasztott modellek sokszorozása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Másolatok száma" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Kiválasztás exportálása..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Konfigurációk" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Egyéni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Nyomtató" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Bekapcsolt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Alapanyag" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Használj ragasztót a jobb tapadás érdekében, ennél az alapanyag kombinációnál." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Konfiguráció kiválasztása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Konfigurációk" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Az elérhető konfigurációk betöltése a nyomtatóról..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "A konfiguráció nem elérhető, mert nincs kapcsolat a a nyomtatóval." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Ez a konfiguráció nem érhető el, mert a(z) %1 nem azonosítható. Kérjük, látogasson el a %2 webhelyre a megfelelő anyagprofil letöltéséhez." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Piactér" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Nyomtató" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Alapanyag" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Beállítva aktív extruderként" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Extruder engedélyezése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Extruder letiltása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Legutóbbi fájlok" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Láthatósági beállítások" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Beállítások láthatóságának kezelése..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Kamera helyzet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Kamera nézet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspektívikus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Merőleges" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Tárgyasztal" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Nézet típus" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profilok" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Aktivál" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Létrehozás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Másolás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Átnevezés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Import" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Export" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Profil készítés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Adjon nevet ehhez a profilhoz." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Profil másolása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Eltávolítás megerősítése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Biztosan el akarod távolítani %1 -et? Ez nem vonható vissza!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Profil átnevezés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Profil importálás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Profil exportálás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Nyomtató: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Frissítse a profilt az aktuális beállításokkal/felülbírálásokkal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Ez a profil a nyomtató által megadott alapértelmezéseket használja, tehát az alábbi listában nincs egyetlen beállítás módosítás sem." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Az Ön aktuális beállításai megegyeznek a kiválasztott profillal." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Általános beállítások" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Általános" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interfész" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Pénznem:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Téma:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "A módosítások érvénybe lépéséhez újra kell indítania az alkalmazást." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Automatikus újraszeletelés, ha a beállítások megváltoznak." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatikus szeletelés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "A nézetablak viselkedése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Jelölje meg pirossal azokat a területeket, amiket szükséges alátámasztani.Ha ezeket a részeket nem támasztjuk alá, a nyomtatás nem lesz hibátlan." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Túlnyúlás kijelzése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "A kamerát úgy mozgatja, hogy a modell kiválasztásakor, az a nézet középpontjában legyen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Kamera középre, mikor az elem ki van választva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Megfordítsuk-e az alapértelmezett Zoom viselkedését?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Fordítsa meg a kamera zoom irányát." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "A nagyítás az egér mozgatásának irányában mozogjon?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Az egér felé történő nagyítás ortográfiai szempontból nem támogatott." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Nagyítás az egér mozgás irányában" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Az alapsíkon lévő modelleket elmozgassuk úgy, hogy ne keresztezzék egymást?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "A modellek egymástól való távtartásának biztosítása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "A modelleket mozgatni kell lefelé, hogy érintsék a tárgyasztalt?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Modellek automatikus tárgyasztalra illesztése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Figyelmeztető üzenet megjelenítése g-kód olvasóban." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Figyelmeztető üzenet a g-code olvasóban" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Kényszerítsük a réteget kompatibilitási módba ?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "A rétegnézet kompatibilis módjának kényszerítése (újraindítás szükséges)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Milyen fípusú fényképezőgépet használunk?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspetívikus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Merőleges" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Fájlok megnyitása és mentése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "A modelleket átméretezzük a maximális építési méretre, ha azok túl nagyok?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Nagy modellek átméretezése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Egy adott modell rendkívül kicsinek tűnhet, ha mértékegysége például méterben van, nem pedig milliméterben. Ezeket a modelleket átméretezzük?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Extrém kicsi modellek átméretezése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Betöltés után a modellek legyenek kiválasztva?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Modell kiválasztása betöltés után" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "A nyomtató nevét, mint előtagot, hozzáadjuk a nyomtatási feladat nevéhez?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Gépnév előtagként a feladatnévben" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Mutassuk az összegzést a projekt mentésekor?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Összegzés megjelenítése projekt mentésekor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Mindig kérdezz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Projektként való megnyitás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importálja a modelleket" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Ha módosított egy profilt, és váltott egy másikra, akkor megjelenik egy párbeszédpanel, amelyben megkérdezi, hogy meg kívánja-e tartani a módosításokat, vagy nem. Vagy választhat egy alapértelmezett viselkedést, és soha többé nem jeleníti meg ezt a párbeszédablakot." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Alapértelmezett viselkedés a megváltozott beállítási értékeknél, ha másik profilra vált: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Megváltozott beállítások elvetése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Megváltozott beállítások alkalmazása az új profilba" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Magán" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Elküldjük a nyomtatott adatokat név nélkül az Ultimaker-nek?Semmilyen személyes infromáció, IP cím vagy azonosító nem kerül elküldésre." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Név nélküli információ küldés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Több információ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "A Cura-nak ellenőriznie kell-e a frissítéseket a program indításakor?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Keressen frissítéseket az induláskor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Információ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Új átmérő megerősítése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Az új nyomtatószál átmérő %1 mm -re lett beállítva. Ez nem kompatibilis a jelenlegi extruderrel. Biztos, hogy így folytatod?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Megjelenítendő név" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Alapanyag típus" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Szín" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Tulajdonságok" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Sűrűség" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Átmérő" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Nyomtatószál költség" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Nyomtatószál súly" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Nyomtatószál hossz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Költség / méter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Ez az anyag kapcsolódik% 1 -hez és osztja néhány tulajdonságát." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Alapanyag leválasztása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Leírás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Tapadási információ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Létrehoz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Másolat" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Nyomtató" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Alapanyag importálás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Nem sikerült importálni az alapanyagot %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Sikeres alapanyag import %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Alapanyag export" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Sikertelen alapanyag export %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Sikeres alapanyag export %1 -ba" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Láthatóság beállítása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Mindent ellenőrizni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Nyomtatók" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Számított" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Beállítás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Jelenlegi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Egység" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Nincs nyomtatóhoz csatlakoztatva" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "A nyomtató nem fogadja a parancsokat" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "Karbantartás alatt. Ellenőrizze a nyomtatót" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Elveszett a kapcsolat a nyomtatóval" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Nyomtatás..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Felfüggsztve" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Előkészítés..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Távolítsa el a tárgyat" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Nyomtatás megszakítás" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Biztosan meg akarod szakítani a nyomtatást?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Kiválasztott modell nyomtatása %1" +msgstr[1] "Kiválasztott modellek nyomtatása %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Nyomtató vezérlés" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Léptetőgomb pozíció" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Léptetőgomb távolság" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "G-kód küldés" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Küldjön egy egyéni G-kód parancsot a csatlakoztatott nyomtatóra. A parancs elküldéséhez nyomja meg az 'enter' gombot." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "A nyomtatófej célhőmérséklete. A fűtőblokk hőmérséklete a beállított értékre fog melegedni, vagy éppen hűlni. Ha ez az érték 0, akkor a fejfűtés ki fog kapcsolni." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Ennek a fejnek a jelenlegi hőmérséklete." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "A nyomtatófej előmelegítési hőmérséklete." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Elvet" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Előfűtés" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "A nyomtatófejet a nyomtatás előtt előre felmelegíti. Ez alatt az idő alatt tudod folytatni a nyomtatás beállítását, esetleg a szeletelést, s mire ezekkel a műveletekkel elkészülsz, a nyomtató már készen fog állni a nyomtatásra.Így nem kell majd várnod a gép felmelegedésére." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Az alapanyag színe ennél az extrudernél." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Az alapanyag ebben az extruderben." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "A fúvóka be van építve az extruderbe." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "A nyomtató nincs csatlakoztatva." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Tárgyasztal" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "A fűthető ágy beállítható célhőmérséklete. Ha beállítjuk ezt az értéket a tálca elkezd erre a hőmérsékletre melegedni, vagy éppen lehűlni. Ha az érték 0 a tálcafűtés kikapcsol." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "A fűthető ágy aktuális hőmérséklete." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "A tálca előmelegítési hőmérséklete." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "A fűthető tálcát, a nyomtatás előtt előre felmelegíti. Ez alatt az idő alatt tudod folytatni a nyomtatás beállítását, esetleg a szeletelést, s mire ezekkel a műveletekkel elkészülsz, a nyomtató már készen fog állni a nyomtatásra.Így nem kell majd várnod a gép felmelegedésére." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Bejelentkezés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Névtelen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Mutassa az online hibaelhárítási útmutatót" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Teljes képernyőre váltás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Kilépés a teljes képernyőn" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Visszavon" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Újra" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "Kilép" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D nézet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Előlnézet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Felülnézet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Bal oldalnézet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Jobb oldalnézet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Cura beállítása..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Nyomtató hozzáadása..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Nyomtatók kezelése..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Anyagok kezelése..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "Profil &frissítése a jelenlegi beállításokkal/felülírásokkal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Jelenlegi változtatások eldobása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "Profil &létrehozása a jelenlegi beállításokkal/felülírásokkal..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profilok kezelése..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Online &Dokumentumok megjelenítése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Hibajelentés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Újdonságok" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Rólunk..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Modell törlés" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "&Középső modell a platformon" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Csoportosítás" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Csoport bontása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Modellek keverése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Modell többszörözés..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Mindent kijelöl" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Tárgyasztal törlése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Mindent újratölt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Minden modell elrendezése a tárgyasztalon" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Minden modell rendezése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Kijelöltek rendezése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Minden modellpozíció visszaállítása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Minden modelltranszformáció visszaállítása" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "Fájl(ok) megnyitása..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "Új projekt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Konfigurációs mappa megjelenítése" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Beállítások láthatóságának beállítása..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Piactér" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Ezt a beállítást nem használjuk, mert minden ezen beállítással befolyásolt egyéb beállítás értéke felül van bírálva." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Befolyásolások" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Befolyásolja" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Ezt a beállítást megoszta az összes extruder között. Az itt megváltoztatott értékek az összes extrudernél meg fognak változni." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5359,7 +5805,7 @@ msgstr "" "\n" "Kattintson a profil értékének visszaállításához." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5370,506 +5816,92 @@ msgstr "" "\n" "Kattintson, hogy visszaállítsuk a kalkulált értéket." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Értékek másolása minden extruderre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Minden változott érték másolása minden extruderre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Beállítás elrejtése" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Ne jelenítsd meg ezt a beállítást" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Beállítás látható marad" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Nézet típus" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"Egyes beállítások eltérő értéken vannak a normál, kalkulált értékektől.\n" +"\n" +"Kattints, hogy ezek a beállítások láthatók legyenek." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" +msgid "This package will be installed after restarting." +msgstr "Ez a csomag újraindítás után fog települni." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Beállítások" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Csomag telepítése" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Fájl(ok) megnyitása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "A kiválasztott fájlok között több G-kód fájl is található.Egyszerre csak egy G-kód fájlt nyithat meg, ezért csak egy ilyen fájlt válasszon ki." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nyomtató név" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "Nyomtató hozzáadása" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Hálózati nyomtató hozzáadása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Helyi nyomtató hozzáadása" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "A hálózaton nem található nyomtató." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Frissítés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Nyomtató hozzáadása IP címmel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Hibaelhárítás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Nyomtató hozzáadása IP címmel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Hozzáad" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Nem sikerült csatlakozni az eszközhöz." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "Az ezen a címen található nyomtató még nem válaszolt." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Ezt a nyomtatót nem lehet hozzáadni, mert ismeretlen a nyomtató vagy nem egy csoport tagja." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Vissza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Csatlakozás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Segítsen nekünk az Ultimaker Cura fejlesztésében" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javításának érdekében, ideértve:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Géptípusok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Anyagfelhasználás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Szeletek száma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Nyomtatási beállítások" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Az Ultimaker Cura által gyűjtött adatok nem tartalmaznak személyes információt." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Több információ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Üres" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Felhasználói Szerződés" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Elutasítás és bezárás" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Üdvözöljük az Ultimaker Cura-ban" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Kezdj hozzá" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Ellenőrzi a modelleket és a nyomtatási konfigurációt a lehetséges nyomtatási problémákra vonatkozóan, és javaslatokat ad." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Modell-ellenőrző" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Támogatást nyújt a 3MF fájlok olvasásához." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF olvasó" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Támogatást nyújt a 3MF fájlok írásához." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF író" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Támogatást nyújt az AMF fájlok olvasásához." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF Olvasó" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Konfiguráció biztonsági másolat készítése és visszaállítása." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura biztonsági mentések" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Biztosítja a kapcsolatot a CuraEngine szeletelő motorhoz." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine motor" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Támogatást nyújt a Cura profilok importálásához." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura profil olvasó" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Támogatást nyújt a Cura profilok exportálásához." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura profil író" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "" - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Ellenőrzi a firmware frissítéseket." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Frimrware frissítés ellenőrző" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Gépi funkciókat biztosít a firmware frissítéséhez." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Firmware frissítő" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Olvassa be a g-kódot egy tömörített archívumból." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Tömörített G-kód olvasó" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "G-kódot ír egy tömörített archívumba." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Tömörített G-kód író" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Támogatást nyújt a profilok g-kód fájlokból történő importálásához." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-kód profil olvasó" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Lehetővé teszi a G-kód fájlok betöltését és megjelenítését." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-kód olvasó" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "G-kódot ír fájlba." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-kódot író" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Lehetővé teszi a nyomtatható geometria létrehozását 2D-képfájlokból." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Kép olvasó" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Támogatást nyújt a profilok importálásához a régi Cura verziókból." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Örökölt Cura profil olvasó" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "A géoi beállítások megváltoztatásának lehetőségét biztosítja.(például a építési méret, fúvóka méret, stb.)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Monitor nézetet biztosít a Cura -ban." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Monitor nézet" +msgstr "Újdonságok" #: PerObjectSettingsTool/plugin.json msgctxt "description" @@ -5881,86 +5913,46 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Modellenkénti beállítás-eszköz" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Bővítmény, amely lehetővé teszi a felhasználó által létrehozott szkriptek utófeldolgozást" +msgid "Provides support for importing Cura profiles." +msgstr "Támogatást nyújt a Cura profilok importálásához." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Utólagos feldolgozás" +msgid "Cura Profile Reader" +msgstr "Cura profil olvasó" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Biztosítja az előkészítés nézetet a Cura-ban." +msgid "Provides support for reading X3D files." +msgstr "Támogatást nyújt az X3D fájlok olvasásához." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Előkészítés nézet" +msgid "X3D Reader" +msgstr "X3D Olvasó" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Előnézet biztosítása a Cura -ban." +msgid "Backup and restore your configuration." +msgstr "Konfiguráció biztonsági másolat készítése és visszaállítása." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Előnézet" +msgid "Cura Backups" +msgstr "Cura biztonsági mentések" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Támogatás a cserélhető meghajtók üzem közbeni cseréjét és írását." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "A géoi beállítások megváltoztatásának lehetőségét biztosítja.(például a építési méret, fúvóka méret, stb.)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Cserélhető meghajtók kimeneti beépülője" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" +msgid "Machine Settings Action" msgstr "" -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Szimulációs nézetet biztosít." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Szimulációs nézet" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Névtelen szelet-információt nyújt be. A beállítások révén letiltható." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Szeletelési infó" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Felületi háló nézetet biztosít." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Felület nézet" - #: SupportEraser/plugin.json msgctxt "description" msgid "Creates an eraser mesh to block the printing of support in certain places" @@ -5971,35 +5963,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Támasz törlő" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Keressen, kezeljen és telepítsen új Cura csomagokat." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Támogatás a cserélhető meghajtók üzem közbeni cseréjét és írását." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Eszköztár" +msgid "Removable Drive Output Device Plugin" +msgstr "Cserélhető meghajtók kimeneti beépülője" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Támogatást nyújt a modellfájlok olvasásához." +msgid "Provides a machine actions for updating firmware." +msgstr "Gépi funkciókat biztosít a firmware frissítéséhez." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh olvasó" +msgid "Firmware Updater" +msgstr "Firmware frissítő" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Támogatást nyújt az Ultimaker formátumú csomagok olvasásához." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Támogatást nyújt a profilok importálásához a régi Cura verziókból." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP Olvasó" +msgid "Legacy Cura Profile Reader" +msgstr "Örökölt Cura profil olvasó" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Támogatást nyújt a 3MF fájlok olvasásához." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF olvasó" #: UFPWriter/plugin.json msgctxt "description" @@ -6011,25 +6013,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFP Író" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Gépi funkciók biztosítása az Ultimaker nyomtatók számára.(pl.: ágyszintezés varázsló, frissítések kiválasztása.)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker gépi funkciók" +msgid "Sentry Logger" +msgstr "" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Kezeli a hálózati csatlakozásokat az Ultimaker hálózati nyomtatókhoz." +msgid "Provides support for importing profiles from g-code files." +msgstr "Támogatást nyújt a profilok g-kód fájlokból történő importálásához." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker hálózati kapcsolat" +msgid "G-code Profile Reader" +msgstr "G-kód profil olvasó" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Előnézet biztosítása a Cura -ban." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Előnézet" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Röntgen nézetet biztosít." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Röntgen nézet" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Biztosítja a kapcsolatot a CuraEngine szeletelő motorhoz." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine motor" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Támogatást nyújt az AMF fájlok olvasásához." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF Olvasó" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Olvassa be a g-kódot egy tömörített archívumból." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Tömörített G-kód olvasó" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Bővítmény, amely lehetővé teszi a felhasználó által létrehozott szkriptek utófeldolgozást" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Utólagos feldolgozás" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Támogatást nyújt a Cura profilok exportálásához." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura profil író" #: USBPrinting/plugin.json msgctxt "description" @@ -6041,25 +6113,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB nyomtatás" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "A konfigurációk frissítése Cura 2.1-ről Cura 2.2-re." +msgid "Provides a prepare stage in Cura." +msgstr "Biztosítja az előkészítés nézetet a Cura-ban." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "A 2.1-es verzió frissítése 2.2-re" +msgid "Prepare Stage" +msgstr "Előkészítés nézet" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "A konfigurációk frissítése Cura 2.2-ről Cura 2.4-re." +msgid "Allows loading and displaying G-code files." +msgstr "Lehetővé teszi a G-kód fájlok betöltését és megjelenítését." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "A 2.2-es verzió frissítése 2.4-ig" +msgid "G-code Reader" +msgstr "G-kód olvasó" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Lehetővé teszi a nyomtatható geometria létrehozását 2D-képfájlokból." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Kép olvasó" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Gépi funkciók biztosítása az Ultimaker nyomtatók számára.(pl.: ágyszintezés varázsló, frissítések kiválasztása.)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker gépi funkciók" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "G-kódot ír egy tömörített archívumba." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Tömörített G-kód író" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Ellenőrzi a firmware frissítéseket." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Frimrware frissítés ellenőrző" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Névtelen szelet-információt nyújt be. A beállítások révén letiltható." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Szeletelési infó" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Lehetővé teszi az XML-alapú anyagprofilok olvasását és írását." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Alapanyag profilok" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Keressen, kezeljen és telepítsen új Cura csomagokat." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Eszköztár" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "G-kódot ír fájlba." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-kódot író" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Szimulációs nézetet biztosít." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Szimulációs nézet" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6071,55 +6253,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "A 2.5-es verzió frissítése 2.6-ra" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "A konfigurációk frissítése Cura 2.6-ról Cura 2.7-re." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "A 2.6-os verzió frissítése 2.7-re" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "A konfigurációk frissítése Cura 2.7-ről Cura 3.0-ra." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "A 2.7-es verzió frissítése 3.0-ra" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "A konfigurációk frissítése Cura 3.0-ról Cura 3.1-re." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "A 3.0-s verzió frissítése 3.1-re" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "A konfigurációk frissítése Cura 3.2-ről Cura 3.3-ra." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "A 3.2-es verzió frissítése 3.3-ra" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "A konfigurációk frissítése Cura 3.3-ról Cura 3.4-re." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "A 3.3-as verzió frissítése 3.4-re" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6131,45 +6283,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "A 3.4-es verzió frissítése 3.5-re" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "A konfigurációk frissítése Cura 3.5-ről Cura 4.0-ra." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "A konfigurációk frissítése Cura 2.1-ről Cura 2.2-re." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "A 3.5-es verzió frissítése 4.0-ra" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "A 2.1-es verzió frissítése 2.2-re" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "A konfigurációt Cura 4.0-ról Cura 4.1-re frissíti." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "A konfigurációk frissítése Cura 3.2-ről Cura 3.3-ra." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "A 4.0-s verzió frissítése 4.1-re" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "A 3.2-es verzió frissítése 3.3-ra" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." msgstr "" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" +msgid "Version Upgrade 4.8 to 4.9" msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "A konfigurációk frissítése Cura 4.1-ről Cura 4.2-re." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "A 4.1-es verzió frissítése 4.2-re" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6191,66 +6343,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6261,35 +6353,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Támogatást nyújt az X3D fájlok olvasásához." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "A konfigurációk frissítése Cura 2.7-ről Cura 3.0-ra." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D Olvasó" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "A 2.7-es verzió frissítése 3.0-ra" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Lehetővé teszi az XML-alapú anyagprofilok olvasását és írását." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "A konfigurációk frissítése Cura 2.6-ról Cura 2.7-re." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Alapanyag profilok" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "A 2.6-os verzió frissítése 2.7-re" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Röntgen nézetet biztosít." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Röntgen nézet" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "A konfigurációk frissítése Cura 3.3-ról Cura 3.4-re." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "A 3.3-as verzió frissítése 3.4-re" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "A konfigurációk frissítése Cura 3.0-ról Cura 3.1-re." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "A 3.0-s verzió frissítése 3.1-re" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "A konfigurációt Cura 4.0-ról Cura 4.1-re frissíti." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "A 4.0-s verzió frissítése 4.1-re" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "A konfigurációk frissítése Cura 2.2-ről Cura 2.4-re." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "A 2.2-es verzió frissítése 2.4-ig" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "A konfigurációk frissítése Cura 4.1-ről Cura 4.2-re." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "A 4.1-es verzió frissítése 4.2-re" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "A konfigurációk frissítése Cura 3.5-ről Cura 4.0-ra." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "A 3.5-es verzió frissítése 4.0-ra" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Kezeli a hálózati csatlakozásokat az Ultimaker hálózati nyomtatókhoz." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker hálózati kapcsolat" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Támogatást nyújt a modellfájlok olvasásához." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh olvasó" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Támogatást nyújt az Ultimaker formátumú csomagok olvasásához." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP Olvasó" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Felületi háló nézetet biztosít." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Felület nézet" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Támogatást nyújt a 3MF fájlok írásához." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF író" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Monitor nézetet biztosít a Cura -ban." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Monitor nézet" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Ellenőrzi a modelleket és a nyomtatási konfigurációt a lehetséges nyomtatási problémákra vonatkozóan, és javaslatokat ad." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Modell-ellenőrző" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/hu_HU/fdmextruder.def.json.po b/resources/i18n/hu_HU/fdmextruder.def.json.po index b000eb17e9..f25f2b26c3 100644 --- a/resources/i18n/hu_HU/fdmextruder.def.json.po +++ b/resources/i18n/hu_HU/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2020-03-24 09:27+0100\n" "Last-Translator: Nagy Attila \n" "Language-Team: AT-VLOG\n" diff --git a/resources/i18n/hu_HU/fdmprinter.def.json.po b/resources/i18n/hu_HU/fdmprinter.def.json.po index 9aeab496f1..3b2f0fa1df 100644 --- a/resources/i18n/hu_HU/fdmprinter.def.json.po +++ b/resources/i18n/hu_HU/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2020-03-24 09:43+0100\n" "Last-Translator: Nagy Attila \n" "Language-Team: AT-VLOG\n" @@ -155,6 +155,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "A nyomtatási terület mélysége (Y-irány)." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Nyomtatási magasság" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "A nyomtatási terület magassága (Z-irány)." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -195,16 +205,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Alumínium" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Nyomtatási magasság" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "A nyomtatási terület magassága (Z-irány)." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -562,8 +562,8 @@ msgstr "A Z motor maximális sebessége." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Adagolás maximum" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1732,7 +1732,7 @@ msgstr "Kitöltési Minta" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." msgstr "" #: fdmprinter.def.json @@ -2046,7 +2046,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." msgstr "" #: fdmprinter.def.json @@ -2056,7 +2056,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." msgstr "" #: fdmprinter.def.json @@ -6480,6 +6480,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "A modellre alkalmazandó átalakítási mátrix, amikor azt fájlból tölti be." +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Adagolás maximum" + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "A kitöltés mintázata. A vonal és a cikcakk felváltva cserélgeti az irányát rétegenként, csökkentve ezzel az anyagköltséget. A rács, háromszög, háromhatszög,kocka, oktett, negyed kocka, kereszt és koncentrikus mintákat minden rétegben nyomtatjuk. A gyroid, a kocka, a negyedkocka, és az oktett töltés minden rétegben változik, és így egyenletesebb az erő eloszlása minden irányban." diff --git a/resources/i18n/it_IT/cura.po b/resources/i18n/it_IT/cura.po index e42e217b74..9e679c045f 100644 --- a/resources/i18n/it_IT/cura.po +++ b/resources/i18n/it_IT/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-09-07 07:57+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Italian , Italian \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Sconosciuto" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Impossibile creare un archivio dalla directory dei dati utente: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Le stampanti riportate di seguito non possono essere collegate perché fanno parte di un gruppo" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Stampanti disponibili in rete" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Tentativo di ripristinare un backup di Cura senza dati o metadati appropriati." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Non sottoposto a override" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Tentativo di ripristinare un backup di Cura di versione superiore rispetto a quella corrente." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "Nel tentativo di ripristinare un backup di Cura, si è verificato il seguente errore:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Sincronizzare i profili del materiale con le stampanti prima di iniziare a stampare." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Nuovi materiali installati" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Sincronizza materiali con stampanti" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Ulteriori informazioni" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Impossibile salvare archivio materiali in {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Impossibile salvare archivio materiali" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "L’altezza del volume di stampa è stata ridotta a causa del valore dell’impostazione \"Sequenza di stampa” per impedire la collisione del gantry con i modelli stampati." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume di stampa" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Rimuovere {0}? Questa operazione non può essere annullata!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Non sottoposto a override" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Sconosciuto" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Le stampanti riportate di seguito non possono essere collegate perché fanno parte di un gruppo" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Stampanti disponibili in rete" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Visivo" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Il profilo visivo è destinato alla stampa di prototipi e modelli visivi, con l'intento di ottenere una qualità visiva e della superficie elevata." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Il profilo di progettazione è destinato alla stampa di prototipi funzionali e di componenti d'uso finale, allo scopo di ottenere maggiore precisione e tolleranze strette." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Bozza" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Il profilo bozza è destinato alla stampa dei prototipi iniziali e alla convalida dei concept, con l'intento di ridurre in modo significativo il tempo di stampa." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Sincronizzare i profili del materiale con le stampanti prima di iniziare a stampare." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Nuovi materiali installati" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Sincronizza materiali con stampanti" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Ulteriori informazioni" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Materiale personalizzato" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizzata" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Impossibile salvare archivio materiali in {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Impossibile salvare archivio materiali" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Profili personalizzati" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Tutti i tipi supportati ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Tutti i file (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Visivo" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Il profilo visivo è destinato alla stampa di prototipi e modelli visivi, con l'intento di ottenere una qualità visiva e della superficie elevata." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Il profilo di progettazione è destinato alla stampa di prototipi funzionali e di componenti d'uso finale, allo scopo di ottenere maggiore precisione e tolleranze strette." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Bozza" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Il profilo bozza è destinato alla stampa dei prototipi iniziali e alla convalida dei concept, con l'intento di ridurre in modo significativo il tempo di stampa." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Materiale personalizzato" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizzata" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Login non riuscito" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Ricerca nuova posizione per gli oggetti" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Ricerca posizione" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Impossibile individuare una posizione nel volume di stampa per tutti gli oggetti" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Impossibile individuare posizione" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Impossibile creare un archivio dalla directory dei dati utente: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Tentativo di ripristinare un backup di Cura senza dati o metadati appropriati." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Tentativo di ripristinare un backup di Cura di versione superiore rispetto a quella corrente." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "Nel tentativo di ripristinare un backup di Cura, si è verificato il seguente errore:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Caricamento macchine in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Impostazione delle preferenze..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Inizializzazione Active Machine in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Inizializzazione gestore macchina in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Inizializzazione volume di stampa in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Impostazione scena in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Caricamento interfaccia in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Inizializzazione motore in corso..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "L’altezza del volume di stampa è stata ridotta a causa del valore dell’impostazione \"Sequenza di stampa” per impedire la collisione del gantry con i modelli stampati." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "È possibile caricare un solo file codice G per volta. Importazione saltata {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume di stampa" +msgid "Warning" +msgstr "Avvertenza" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Impossibile aprire altri file durante il caricamento del codice G. Importazione saltata {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Errore" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Salta" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Chiudi" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Avanti" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Fine" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Aggiungi" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Annulla" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Gruppo #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Parete esterna" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Pareti interne" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Rivestimento esterno" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Riempimento" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Riempimento del supporto" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Interfaccia supporto" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Supporto" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Skirt" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Torre di innesco" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Spostamenti" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Retrazioni" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Altro" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Impossibile aprire le note sulla versione." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Impossibile avviare Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    Si prega di inviare questo Rapporto su crash per correggere il problema.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Inviare il rapporto su crash a Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Mostra il rapporto su crash dettagliato" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostra cartella di configurazione" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Backup e reset configurazione" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Rapporto su crash" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,702 +510,641 @@ msgstr "" "

    Usare il pulsante “Invia report\" per inviare automaticamente una segnalazione errore ai nostri server

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informazioni di sistema" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Sconosciuto" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versione Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Lingua Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Lingua sistema operativo" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Piattaforma" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versione Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versione PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Non ancora inizializzato
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versione OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Fornitore OpenGL: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Renderer OpenGL: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Analisi errori" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Registri" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Invia report" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Caricamento macchine in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Impostazione delle preferenze..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Inizializzazione Active Machine in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Inizializzazione gestore macchina in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Inizializzazione volume di stampa in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Impostazione scena in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Caricamento interfaccia in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Inizializzazione motore in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "È possibile caricare un solo file codice G per volta. Importazione saltata {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Avvertenza" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Impossibile aprire altri file durante il caricamento del codice G. Importazione saltata {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Errore" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Moltiplicazione e collocazione degli oggetti" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Sistemazione oggetti" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Sistemazione oggetto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Impossibile leggere la risposta." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "Lo stato fornito non è corretto." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Fornire i permessi necessari al momento dell'autorizzazione di questa applicazione." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Si è verificato qualcosa di inatteso durante il tentativo di accesso, riprovare." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Impossibile avviare un nuovo processo di accesso. Verificare se è ancora attivo un altro tentativo di accesso." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Impossibile raggiungere il server account Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "Lo stato fornito non è corretto." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Fornire i permessi necessari al momento dell'autorizzazione di questa applicazione." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Si è verificato qualcosa di inatteso durante il tentativo di accesso, riprovare." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Impossibile leggere la risposta." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Moltiplicazione e collocazione degli oggetti" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Sistemazione oggetti" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Sistemazione oggetto" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Non supportato" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Ugello" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Le impostazioni sono state modificate in base all’attuale disponibilità di estrusori:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Impostazioni aggiornate" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Estrusore disabilitato" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Il file esiste già" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Il file {0} esiste già. Sei sicuro di volerlo sovrascrivere?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "File URL non valido:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Impossibile esportare il profilo su {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Impossibile esportare il profilo su {0}: Rilevata anomalia durante scrittura plugin." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profilo esportato su {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Esportazione riuscita" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Impossibile importare il profilo da {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Impossibile importare il profilo da {0} prima di aggiungere una stampante." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Nessun profilo personalizzato da importare nel file {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Impossibile importare il profilo da {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Questo profilo {0} contiene dati errati, impossibile importarlo." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Impossibile importare il profilo da {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Profilo {0} importato correttamente." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Il file {0} non contiene nessun profilo valido." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Il profilo {0} ha un tipo di file sconosciuto o corrotto." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Profilo personalizzato" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Il profilo è privo del tipo di qualità." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Non ci sono ancora stampanti attive." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Impossibile aggiungere il profilo." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Il tipo di qualità '{0}' non è compatibile con la definizione di macchina attiva corrente '{1}'." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Avvertenza: il profilo non è visibile in quanto il tipo di qualità '{0}' non è disponibile per la configurazione corrente. Passare alla combinazione materiale/ugello che consente di utilizzare questo tipo di qualità." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Non supportato" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Ugello" +msgid "Per Model Settings" +msgstr "Impostazioni per modello" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Le impostazioni sono state modificate in base all’attuale disponibilità di estrusori:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Configura impostazioni per modello" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Profilo Cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "File X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Si è verificato un errore cercando di ripristinare il backup." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Impostazioni aggiornate" +msgid "Backups" +msgstr "Backup" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Estrusore disabilitato" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Si è verificato un errore durante il caricamento del backup." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Aggiungi" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Creazione del backup in corso..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Fine" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Si è verificato un errore durante la creazione del backup." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Annulla" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Caricamento backup in corso..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Caricamento backup completato." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "Il backup supera la dimensione file massima." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Gestione backup" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Impostazioni macchina" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Blocco supporto" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Crea un volume in cui i supporti non vengono stampati." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Unità rimovibile" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Salva su unità rimovibile" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Gruppo #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Salva su unità rimovibile {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Parete esterna" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Non ci sono formati di file disponibili per la scrittura!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Pareti interne" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Salvataggio su unità rimovibile {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Rivestimento esterno" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Riempimento" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Riempimento del supporto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Interfaccia supporto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Supporto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Skirt" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Torre di innesco" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Spostamenti" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Retrazioni" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Altro" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Impossibile aprire le note sulla versione." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Avanti" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Salta" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Chiudi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistente modello 3D" +msgid "Saving" +msgstr "Salvataggio in corso" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Impossibile salvare {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Impossibile trovare un nome file durante il tentativo di scrittura su {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    La stampa di uno o più modelli 3D può non avvenire in modo ottimale a causa della dimensioni modello e della configurazione materiale:

    \n" -"

    {model_names}

    \n" -"

    Scopri come garantire la migliore qualità ed affidabilità di stampa.

    \n" -"

    Visualizza la guida alla qualità di stampa

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Impossibile salvare su unità rimovibile {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Salvato su unità rimovibile {0} come {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "File salvato" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Rimuovi" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Rimuovi il dispositivo rimovibile {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Espulso {0}. È ora possibile rimuovere in modo sicuro l'unità." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Rimozione sicura dell'hardware" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Espulsione non riuscita {0}. È possibile che un altro programma stia utilizzando l’unità." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Aggiornamento firmware" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Profili Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Consigliata" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Personalizzata" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Il file di progetto {0} contiene un tipo di macchina sconosciuto {1}. Impossibile importare la macchina. Verranno invece importati i modelli." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Apri file progetto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "Il file di progetto {0} è diventato improvvisamente inaccessibile: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Impossibile aprire il file di progetto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Il file di progetto {0} è danneggiato: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "Il file di progetto {0} è realizzato con profili sconosciuti a questa versione di Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Consigliata" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizzata" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "File 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Plug-in Writer 3MF danneggiato." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Impossibile scrivere nel file UFP:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Nessuna autorizzazione di scrittura dell'area di lavoro qui." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "Il sistema operativo non consente di salvare un file di progetto in questa posizione o con questo nome file." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Errore scrittura file 3MF." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "File 3MF" +msgid "Ultimaker Format Package" +msgstr "Pacchetto formato Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "File 3MF Progetto Cura" +msgid "G-code File" +msgstr "File G-Code" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "File AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Si è verificato un errore durante il caricamento del backup." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Creazione del backup in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Si è verificato un errore durante la creazione del backup." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Caricamento backup in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Caricamento backup completato." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Il backup supera la dimensione file massima." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Si è verificato un errore cercando di ripristinare il backup." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gestione backup" +msgid "Preview" +msgstr "Anteprima" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Vista ai raggi X" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Elaborazione dei livelli" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informazioni" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Sezionamento non riuscito con un errore imprevisto. Valutare se segnalare un bug nel registro problemi." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Sezionamento non riuscito" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Segnala un errore" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Segnalare un errore nel registro problemi di Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Impossibile eseguire il sezionamento con il materiale corrente in quanto incompatibile con la macchina o la configurazione selezionata." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Sezionamento impossibile" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Impossibile eseguire il sezionamento con le impostazioni attuali. Le seguenti impostazioni presentano errori: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Impossibile eseguire il sezionamento a causa di alcune impostazioni per modello. Le seguenti impostazioni presentano errori su uno o più modelli: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Impossibile eseguire il sezionamento perché la torre di innesco o la posizione di innesco non sono valide." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Impossibile effettuare il sezionamento in quanto vi sono oggetti associati a Extruder %s disabilitato." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -981,475 +1157,436 @@ msgstr "" "- Sono assegnati a un estrusore abilitato\n" "- Non sono tutti impostati come maglie modificatore" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Elaborazione dei livelli" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informazioni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Profilo Cura" +msgid "AMF File" +msgstr "File AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "File G-Code compresso" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Post-elaborazione" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modifica codice G" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Stampa USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Stampa tramite USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Stampa tramite USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Connesso tramite USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Stampa tramite USB in corso, la chiusura di Cura interrompe la stampa. Confermare?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Stampa ancora in corso. Cura non può avviare un'altra stampa tramite USB finché la precedente non è stata completata." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Stampa in corso" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Prepara" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Parsing codice G" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Dettagli codice G" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Verifica che il codice G sia idoneo alla tua stampante e alla sua configurazione prima di trasmettere il file. La rappresentazione del codice G potrebbe non essere accurata." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "File G" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Immagine JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Immagine JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Immagine PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Immagine BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Immagine GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Livella piano di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Seleziona aggiornamenti" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter non supporta la modalità di testo." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Non è possibile accedere alle informazioni di aggiornamento." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Nuove funzionalità o bug fix potrebbero essere disponibili per {machine_name}. Se non è già stato fatto in precedenza, si consiglia di aggiornare il firmware della stampante alla versione {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Nuovo firmware %s stabile disponibile" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Modalità di aggiornamento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aggiornamento firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "File G-Code compresso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter non supporta la modalità di testo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "File G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Parsing codice G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Dettagli codice G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Verifica che il codice G sia idoneo alla tua stampante e alla sua configurazione prima di trasmettere il file. La rappresentazione del codice G potrebbe non essere accurata." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "File G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter non supporta la modalità non di testo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Preparare il codice G prima dell’esportazione." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Immagine JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Immagine JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Immagine PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Immagine BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Immagine GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profili Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Impostazioni macchina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Controlla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Impostazioni per modello" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Configura impostazioni per modello" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Post-elaborazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modifica codice G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Prepara" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Anteprima" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Salva su unità rimovibile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Salva su unità rimovibile {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Non ci sono formati di file disponibili per la scrittura!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Salvataggio su unità rimovibile {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Salvataggio in corso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Impossibile salvare {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Impossibile trovare un nome file durante il tentativo di scrittura su {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Impossibile salvare su unità rimovibile {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Salvato su unità rimovibile {0} come {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "File salvato" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Rimuovi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Rimuovi il dispositivo rimovibile {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Espulso {0}. È ora possibile rimuovere in modo sicuro l'unità." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Rimozione sicura dell'hardware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Espulsione non riuscita {0}. È possibile che un altro programma stia utilizzando l’unità." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Unità rimovibile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Cura non visualizza in modo accurato i layer se la funzione Wire Printing è abilitata." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Vista simulazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Non viene visualizzato nulla poiché è necessario prima effetuare lo slicing." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Nessun layer da visualizzare" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Non mostrare nuovamente questo messaggio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Visualizzazione strato" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Impossibile leggere il file di dati di esempio." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Le aree evidenziate indicano superfici mancanti o estranee. Correggi il modello e aprilo nuovamente in Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Errori modello" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Visualizzazione compatta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Blocco supporto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Crea un volume in cui i supporti non vengono stampati." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Desiderate sincronizzare pacchetti materiale e software con il vostro account?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Modifiche rilevate dal tuo account Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizza" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Sincronizzazione in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Non accetto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Accetta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Accordo di licenza plugin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Rifiuta e rimuovi dall'account" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Affinché le modifiche diventino effettive, è necessario chiudere e riavviare {}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Sincronizzazione in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Modifiche rilevate dal tuo account Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Desiderate sincronizzare pacchetti materiale e software con il vostro account?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Sincronizza" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Rifiuta e rimuovi dall'account" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "Impossibile scaricare i plugin {}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Non accetto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Accetta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Accordo di licenza plugin" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter non supporta la modalità non di testo." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Preparare il codice G prima dell’esportazione." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Cura non visualizza in modo accurato i layer se la funzione Wire Printing è abilitata." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Vista simulazione" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Non viene visualizzato nulla poiché è necessario prima effetuare lo slicing." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Nessun layer da visualizzare" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Non mostrare nuovamente questo messaggio" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Visualizzazione strato" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Stampa sulla rete" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Stampa sulla rete" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Collegato alla rete" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "domani" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Pacchetto formato Ultimaker" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "oggi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Impossibile scrivere nel file UFP:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Livella piano di stampa" +msgid "Connect via Network" +msgstr "Collega tramite rete" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Attendere che sia stato inviato il processo corrente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Errore di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Processo di stampa inviato con successo alla stampante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Dati inviati" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Si sta tentando di connettersi a una stampante che non esegue Ultimaker Connect. Aggiornare la stampante con il firmware più recente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Aggiornare la stampante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "La coda dei processi di stampa è piena. La stampante non può accettare un nuovo processo." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Coda piena" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Invio di un processo di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Caricamento del processo di stampa sulla stampante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura ha rilevato dei profili di materiale non ancora installati sulla stampante host del gruppo {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Invio dei materiali alla stampante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Impossibile caricare i dati sulla stampante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Errore di rete" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Tentativo di connessione a {0} in corso, che non è l'host di un gruppo. È possibile visitare la pagina web per configurarla come host del gruppo." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Non host del gruppo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Seleziona aggiornamenti" +msgid "Configure group" +msgstr "Configurare il gruppo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Impossibile connettere la stampante {printer_name} tramite cloud.\n" +" Gestisci la coda di stampa e monitora le stampe da qualsiasi posizione collegando la stampante a Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Pronto per la stampa tramite cloud?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Per iniziare" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Ulteriori informazioni" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Stampa tramite cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Stampa tramite cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Collegato tramite cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Monitora stampa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Traccia la stampa in Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Codice di errore sconosciuto durante il caricamento del processo di stampa: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Nuova stampante rilevata dall'account Ultimaker" msgstr[1] "Nuove stampanti rilevate dall'account Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Aggiunta della stampante {name} ({model}) dall'account" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... e {0} altra" msgstr[1] "... e altre {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Stampanti aggiunte da Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Non è disponibile una connessione cloud per una stampante" msgstr[1] "Non è disponibile una connessione cloud per alcune stampanti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Questa stampante non è collegata a Digital Factory:" msgstr[1] "Queste stampanti non sono collegate a Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Per stabilire una connessione, visitare {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Mantenere le configurazioni delle stampanti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Rimuovere le stampanti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} sarà rimossa fino alla prossima sincronizzazione account." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Per rimuovere definitivamente {printer_name}, visitare {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Rimuovere temporaneamente {printer_name}?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Rimuovere le stampanti?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1537,7 +1674,7 @@ msgstr[1] "" "Si stanno per rimuovere {0} stampanti da Cura. Questa azione non può essere annullata.\n" "Continuare?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1546,770 +1683,1638 @@ msgstr "" "Si stanno per rimuovere tutte le stampanti da Cura. Questa azione non può essere annullata. \n" "Continuare?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Le aree evidenziate indicano superfici mancanti o estranee. Correggi il modello e aprilo nuovamente in Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Errori modello" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Visualizzazione compatta" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Errore scrittura file 3MF." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "Plug-in Writer 3MF danneggiato." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Nessuna autorizzazione di scrittura dell'area di lavoro qui." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "Il sistema operativo non consente di salvare un file di progetto in questa posizione o con questo nome file." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "File 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "File 3MF Progetto Cura" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Controlla" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Assistente modello 3D" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "Impossibile connettere la stampante {printer_name} tramite cloud.\n Gestisci la coda di stampa e monitora le stampe da qualsiasi posizione collegando" -" la stampante a Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " +msgstr "" +"

    La stampa di uno o più modelli 3D può non avvenire in modo ottimale a causa della dimensioni modello e della configurazione materiale:

    \n" +"

    {model_names}

    \n" +"

    Scopri come garantire la migliore qualità ed affidabilità di stampa.

    \n" +"

    Visualizza la guida alla qualità di stampa

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Pronto per la stampa tramite cloud?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Per iniziare" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Ulteriori informazioni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Si sta tentando di connettersi a una stampante che non esegue Ultimaker Connect. Aggiornare la stampante con il firmware più recente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Aggiornare la stampante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura ha rilevato dei profili di materiale non ancora installati sulla stampante host del gruppo {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Invio dei materiali alla stampante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Tentativo di connessione a {0} in corso, che non è l'host di un gruppo. È possibile visitare la pagina web per configurarla come host del gruppo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Non host del gruppo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurare il gruppo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Attendere che sia stato inviato il processo corrente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Errore di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Impossibile caricare i dati sulla stampante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Errore di rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Invio di un processo di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Caricamento del processo di stampa sulla stampante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "La coda dei processi di stampa è piena. La stampante non può accettare un nuovo processo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Coda piena" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Processo di stampa inviato con successo alla stampante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Dati inviati" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Stampa sulla rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Stampa sulla rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Collegato alla rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Collega tramite rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "domani" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "oggi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Stampa USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Stampa tramite USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Stampa tramite USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Connesso tramite USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Stampa tramite USB in corso, la chiusura di Cura interrompe la stampa. Confermare?" +msgid "Mesh Type" +msgstr "Tipo di maglia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Stampa ancora in corso. Cura non può avviare un'altra stampa tramite USB finché la precedente non è stata completata." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Modello normale" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Stampa in corso" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Stampa come supporto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Modificare le impostazioni per le sovrapposizioni" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Non supportano le sovrapposizioni" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "File X3D" +msgid "Infill mesh only" +msgstr "Solo maglia di riempimento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Vista ai raggi X" +msgid "Cutting mesh" +msgstr "Ritaglio mesh" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Alcune parti potrebbero risultare problematiche in questa stampa. Fare click per visualizzare i suggerimenti per la regolazione." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Seleziona impostazioni" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Seleziona impostazioni di personalizzazione per questo modello" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtro..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mostra tutto" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Backup Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Versione Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Macchine" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materiali" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profili" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Plugin" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Ulteriori informazioni?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Esegui backup adesso" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Backup automatico" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Crea automaticamente un backup ogni giorno in cui viene avviata Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Ripristina" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Cancella backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Sei sicuro di voler cancellare questo backup? Questa operazione non può essere annullata." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Ripristina backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Riavviare Cura prima di ripristinare il backup. Chiudere Cura adesso?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Backup e sincronizzazione delle impostazioni Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Accedi" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "I miei backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Nessun backup. Usare il pulsante ‘Esegui backup adesso’ per crearne uno." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Durante la fase di anteprima, saranno visibili solo 5 backup. Rimuovi un backup per vedere quelli precedenti." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Impostazioni della stampante" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Larghezza)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profondità)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Altezza)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma del piano di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origine al centro" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Piano riscaldato" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume di stampa riscaldato" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Versione codice G" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Impostazioni della testina di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altezza gantry" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Numero di estrusori" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Applica offset estrusore a gcode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Codice G avvio" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Codice G fine" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Impostazioni ugello" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Dimensione ugello" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Diametro del materiale compatibile" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Scostamento X ugello" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Scostamento Y ugello" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Numero ventola di raffreddamento" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Codice G avvio estrusore" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Codice G fine estrusore" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Stampante" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Aggiornamento firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Il firmware è la parte di software eseguita direttamente sulla stampante 3D. Questo firmware controlla i motori passo-passo, regola la temperatura e, in ultima analisi, consente il funzionamento della stampante." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Il firmware inviato a corredo delle nuove stampanti funziona, tuttavia le nuove versioni tendono ad avere più funzioni ed ottimizzazioni." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Aggiorna automaticamente il firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Carica il firmware personalizzato" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Impossibile aggiornare il firmware: nessun collegamento con la stampante." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Impossibile aggiornare il firmware: il collegamento con la stampante non supporta l’aggiornamento del firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Seleziona il firmware personalizzato" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Aggiornamento del firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Aggiornamento firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Aggiornamento del firmware completato." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Aggiornamento firmware non riuscito a causa di un errore sconosciuto." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Aggiornamento firmware non riuscito a causa di un errore di comunicazione." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Aggiornamento firmware non riuscito a causa di un errore di input/output." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Aggiornamento firmware non riuscito per firmware mancante." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Apri progetto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Aggiorna esistente" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Crea nuovo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Riepilogo - Progetto Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Impostazioni della stampante" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Come può essere risolto il conflitto nella macchina?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Gruppo stampanti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Impostazioni profilo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Come può essere risolto il conflitto nel profilo?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nome" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Non nel profilo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 override" msgstr[1] "%1 override" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivato da" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 override" msgstr[1] "%1, %2 override" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Impostazioni materiale" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Come può essere risolto il conflitto nel materiale?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Impostazione visibilità" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modalità" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Impostazioni visibili:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 su %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Il caricamento di un progetto annulla tutti i modelli sul piano di stampa." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Apri" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Ulteriori informazioni?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Esegui backup adesso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Backup automatico" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Crea automaticamente un backup ogni giorno in cui viene avviata Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Ripristina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Cancella backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Sei sicuro di voler cancellare questo backup? Questa operazione non può essere annullata." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Ripristina backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Riavviare Cura prima di ripristinare il backup. Chiudere Cura adesso?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versione Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Macchine" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiali" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profili" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plugin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Backup Cura" +msgid "Post Processing Plugin" +msgstr "Plug-in di post-elaborazione" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "I miei backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Nessun backup. Usare il pulsante ‘Esegui backup adesso’ per crearne uno." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Durante la fase di anteprima, saranno visibili solo 5 backup. Rimuovi un backup per vedere quelli precedenti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Backup e sincronizzazione delle impostazioni Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Accedi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aggiornamento firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Il firmware è la parte di software eseguita direttamente sulla stampante 3D. Questo firmware controlla i motori passo-passo, regola la temperatura e, in ultima analisi, consente il funzionamento della stampante." +msgid "Post Processing Scripts" +msgstr "Script di post-elaborazione" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Aggiungi uno script" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Il firmware inviato a corredo delle nuove stampanti funziona, tuttavia le nuove versioni tendono ad avere più funzioni ed ottimizzazioni." +msgid "Settings" +msgstr "Impostazioni" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Aggiorna automaticamente il firmware" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Modificare gli script di post-elaborazione attivi." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Carica il firmware personalizzato" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "È attivo il seguente script:" +msgstr[1] "Sono attivi i seguenti script:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Impossibile aggiornare il firmware: nessun collegamento con la stampante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Impossibile aggiornare il firmware: il collegamento con la stampante non supporta l’aggiornamento del firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Seleziona il firmware personalizzato" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aggiornamento del firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aggiornamento firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aggiornamento del firmware completato." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Aggiornamento firmware non riuscito a causa di un errore sconosciuto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Aggiornamento firmware non riuscito a causa di un errore di comunicazione." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Aggiornamento firmware non riuscito a causa di un errore di input/output." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Aggiornamento firmware non riuscito per firmware mancante." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Converti immagine..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "La distanza massima di ciascun pixel da \"Base.\"" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Altezza (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "L'altezza della base dal piano di stampa in millimetri." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Base (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "La larghezza in millimetri sul piano di stampa." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Larghezza (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "La profondità in millimetri sul piano di stampa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Profondità (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Per le litofanie, i pixel scuri devono corrispondere alle posizioni più spesse per bloccare maggiormente il passaggio della luce. Per le mappe con altezze superiori, i pixel più chiari indicano un terreno più elevato, quindi nel modello 3D generato i pixel più chiari devono corrispondere alle posizioni più spesse." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Più scuro è più alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Più chiaro è più alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Per le litofanie, è disponibile un semplice modello logaritmico per la traslucenza. Per le mappe delle altezze, i valori in pixel corrispondono alle altezze in modo lineare." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Lineare" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Traslucenza" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "Percentuale di luce che penetra una stampa dello spessore di 1 millimetro. Se questo valore si riduce, il contrasto nelle aree scure dell'immagine aumenta, mentre il contrasto nelle aree chiare dell'immagine diminuisce." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "Trasmittanza di 1 mm (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "La quantità di smoothing (levigatura) da applicare all'immagine." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Smoothing" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Seleziona qualsiasi aggiornamento realizzato per questa Ultimaker Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Piano di stampa riscaldato (kit ufficiale o integrato)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Livellamento del piano di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Per assicurarsi stampe di alta qualità, è ora possibile regolare il piano di stampa. Quando si fa clic su 'Spostamento alla posizione successiva' l'ugello si sposterà in diverse posizioni che è possibile regolare." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Per ciascuna posizione: inserire un pezzo di carta sotto l'ugello e regolare la stampa dell'altezza del piano di stampa. L'altezza del piano di stampa è corretta quando la carta sfiora la punta dell'ugello." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Avvio livellamento del piano di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Spostamento alla posizione successiva" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Maggiori informazioni sulla raccolta di dati anonimi" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura acquisisce dati anonimi per migliorare la qualità di stampa e l'esperienza dell'utente. Di seguito è riportato un esempio dei dati condivisi:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Non desidero inviare dati anonimi" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Consenti l'invio di dati anonimi" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Mercato" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Riavviare Cura per rendere effettive le modifiche apportate ai pacchetti." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Chiudere %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Installazione" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Installa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Vai al Marketplace web" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Cerca materiali" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Compatibilità" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Macchina" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Piano di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Supporto" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Qualità" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Scheda dati tecnici" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Scheda dati di sicurezza" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Linee guida di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Sito web" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Log in deve essere installato o aggiornato" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Acquista bobine di materiale" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Aggiorna" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Aggiornamento in corso" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Aggiornamento eseguito" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Indietro" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Stampante" +msgid "Plugins" +msgstr "Plugin" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Impostazioni ugello" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiali" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Installa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Dimensione ugello" +msgid "Will install upon restarting" +msgstr "L'installazione sarà eseguita al riavvio" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Log in deve essere aggiornato" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Downgrade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Disinstalla" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Contributi della comunità" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diametro del materiale compatibile" +msgid "Community Plugins" +msgstr "Plugin della comunità" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Scostamento X ugello" +msgid "Generic Materials" +msgstr "Materiali generici" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Recupero dei pacchetti..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Scostamento Y ugello" +msgid "Website" +msgstr "Sito web" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Numero ventola di raffreddamento" +msgid "Email" +msgstr "E-mail" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Codice G avvio estrusore" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Accedere per ottenere i plugin e i materiali verificati per Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Codice G fine estrusore" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Impostazioni della stampante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Larghezza)" +msgid "Version" +msgstr "Versione" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profondità)" +msgid "Last updated" +msgstr "Ultimo aggiornamento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Altezza)" +msgid "Brand" +msgstr "Marchio" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma del piano di stampa" +msgid "Downloads" +msgstr "Download" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Plugin installati" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Non è stato installato alcun plugin." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiali installati" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Non è stato installato alcun materiale." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Plugin inseriti nel bundle" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Materiali inseriti nel bundle" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Impossibile connettersi al database pacchetto Cura. Verificare la connessione." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Origine al centro" +msgid "You need to accept the license to install the package" +msgstr "È necessario accettare la licenza per installare il pacchetto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Modifiche dall'account" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Rimuovi" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Avanti" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Piano riscaldato" +msgid "The following packages will be added:" +msgstr "Verranno aggiunti i seguenti pacchetti:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume di stampa riscaldato" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Impossibile installare i seguenti pacchetti a causa di una versione di Cura non compatibile:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Conferma disinstalla" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Si stanno installando materiali e/o profili ancora in uso. La conferma ripristina i seguenti materiali/profili ai valori predefiniti." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materiali" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profili" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Conferma" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Versione codice G" +msgid "Color scheme" +msgstr "Schema colori" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Impostazioni della testina di stampa" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Colore materiale" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Tipo di linea" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Velocità" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Spessore layer" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Larghezza della linea" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Flusso" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X min" +msgid "Compatibility Mode" +msgstr "Modalità di compatibilità" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y min" +msgid "Travels" +msgstr "Spostamenti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X max" +msgid "Helpers" +msgstr "Helper" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y max" +msgid "Shell" +msgstr "Guscio" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Altezza gantry" +msgid "Infill" +msgstr "Riempimento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Numero di estrusori" +msgid "Starts" +msgstr "Avvia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Applica offset estrusore a gcode" +msgid "Only Show Top Layers" +msgstr "Mostra solo strati superiori" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Codice G avvio" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Mostra 5 strati superiori in dettaglio" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Codice G fine" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Superiore / Inferiore" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Parete interna" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Gestione stampanti" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Vetro" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Aggiornare il firmware della stampante per gestire la coda da remoto." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Impossibile visualizzare feed della Webcam per stampanti cloud da Ultimaker Cura. Fare clic su \"Gestione stampanti\" per visitare Ultimaker Digital Factory e visualizzare questa Webcam." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Caricamento in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Non disponibile" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Non raggiungibile" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Ferma" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Preparazione in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Stampa in corso" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Senza titolo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anonimo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Richiede modifiche di configurazione" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Dettagli" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Stampante non disponibile" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Primo disponibile" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Coda di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Gestisci nel browser" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Non sono presenti processi di stampa nella coda. Eseguire lo slicing e inviare un processo per aggiungerne uno." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Processi di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Tempo di stampa totale" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "In attesa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Stampa sulla rete" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Selezione stampante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Modifiche configurazione" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Override" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "La stampante assegnata, %1, richiede la seguente modifica di configurazione:" +msgstr[1] "La stampante assegnata, %1, richiede le seguenti modifiche di configurazione:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "La stampante %1 è assegnata, ma il processo contiene una configurazione materiale sconosciuta." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Cambia materiale %1 da %2 a %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Caricare %3 come materiale %1 (Operazione non annullabile)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Cambia print core %1 da %2 a %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Cambia piano di stampa a %1 (Operazione non annullabile)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "L’override utilizza le impostazioni specificate con la configurazione stampante esistente. Ciò può causare una stampa non riuscita." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Alluminio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Terminato" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Interr. in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Interrotto" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Messa in pausa..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "In pausa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Ripresa in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Richiede un'azione" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Finisce %1 a %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Collega alla stampante in rete" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Per stampare direttamente sulla stampante in rete, verificare che la stampante desiderata sia collegata alla rete mediante un cavo di rete o mediante collegamento alla rete WIFI. Se non si esegue il collegamento di Cura alla stampante, è comunque possibile utilizzare una chiavetta USB per trasferire i file codice G alla stampante." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Selezionare la stampante dall’elenco seguente:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Modifica" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Rimuovi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Aggiorna" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Se la stampante non è nell’elenco, leggere la guida alla risoluzione dei problemi per la stampa in rete" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Tipo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Versione firmware" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Indirizzo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Questa stampante non è predisposta per comandare un gruppo di stampanti." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Questa stampante comanda un gruppo di %1 stampanti." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "La stampante a questo indirizzo non ha ancora risposto." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Collega" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Indirizzo IP non valido" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Inserire un indirizzo IP valido." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Indirizzo stampante" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Inserire l'indirizzo IP della stampante in rete." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Sposta in alto" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Cancella" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Riprendi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Messa in pausa..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Ripresa in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pausa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Interr. in corso..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Interrompi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Sei sicuro di voler spostare %1 all’inizio della coda?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Sposta il processo di stampa in alto" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Sei sicuro di voler cancellare %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Cancella processo di stampa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Sei sicuro di voler interrompere %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Interrompi la stampa" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2322,1489 +3327,435 @@ msgstr "" "- Controllare se la stampante è collegata alla rete.\n" "- Controllare se è stato effettuato l'accesso per rilevare le stampanti collegate al cloud." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Collegare la stampante alla rete." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Visualizza i manuali utente online" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Al fine di monitorare la stampa da Cura, collegare la stampante." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo di maglia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modello normale" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Stampa come supporto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificare le impostazioni per le sovrapposizioni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Non supportano le sovrapposizioni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Solo maglia di riempimento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Ritaglio mesh" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Seleziona impostazioni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Seleziona impostazioni di personalizzazione per questo modello" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtro..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mostra tutto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in di post-elaborazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Script di post-elaborazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Aggiungi uno script" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Impostazioni" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Modificare gli script di post-elaborazione attivi." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Alcune parti potrebbero risultare problematiche in questa stampa. Fare click per visualizzare i suggerimenti per la regolazione." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "È attivo il seguente script:" -msgstr[1] "Sono attivi i seguenti script:" +msgid "3D View" +msgstr "Visualizzazione 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Schema colori" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Colore materiale" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Tipo di linea" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Velocità" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Spessore layer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Larghezza della linea" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Flusso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Modalità di compatibilità" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Spostamenti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Helper" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Guscio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Riempimento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Avvia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Mostra solo strati superiori" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Mostra 5 strati superiori in dettaglio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Superiore / Inferiore" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Parete interna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Maggiori informazioni sulla raccolta di dati anonimi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura acquisisce dati anonimi per migliorare la qualità di stampa e l'esperienza dell'utente. Di seguito è riportato un esempio dei dati condivisi:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Non desidero inviare dati anonimi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Consenti l'invio di dati anonimi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Indietro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilità" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Macchina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Piano di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Supporto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualità" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Scheda dati tecnici" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Scheda dati di sicurezza" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Linee guida di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Sito web" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Installa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Log in deve essere installato o aggiornato" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Acquista bobine di materiale" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Aggiorna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aggiornamento in corso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Aggiornamento eseguito" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Vai al Marketplace web" +msgid "Front View" +msgstr "Visualizzazione frontale" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Visualizzazione superiore" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Vista sinistra" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Vista destra" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Cerca materiali" +msgid "Object list" +msgstr "Elenco oggetti" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Riavviare Cura per rendere effettive le modifiche apportate ai pacchetti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Chiudere %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plugin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiali" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Installa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "L'installazione sarà eseguita al riavvio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Log in deve essere aggiornato" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgrade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Disinstalla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Modifiche dall'account" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Rimuovi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Avanti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Verranno aggiunti i seguenti pacchetti:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Impossibile installare i seguenti pacchetti a causa di una versione di Cura non compatibile:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Conferma disinstalla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Si stanno installando materiali e/o profili ancora in uso. La conferma ripristina i seguenti materiali/profili ai valori predefiniti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiali" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profili" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Conferma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "È necessario accettare la licenza per installare il pacchetto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Sito web" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Ultimo aggiornamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marchio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Download" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contributi della comunità" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Plugin della comunità" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiali generici" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Impossibile connettersi al database pacchetto Cura. Verificare la connessione." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Plugin installati" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Non è stato installato alcun plugin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiali installati" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Non è stato installato alcun materiale." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Plugin inseriti nel bundle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiali inseriti nel bundle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Recupero dei pacchetti..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Accedere per ottenere i plugin e i materiali verificati per Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Mercato" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Livellamento del piano di stampa" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&File" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Per assicurarsi stampe di alta qualità, è ora possibile regolare il piano di stampa. Quando si fa clic su 'Spostamento alla posizione successiva' l'ugello si sposterà in diverse posizioni che è possibile regolare." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Modifica" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Per ciascuna posizione: inserire un pezzo di carta sotto l'ugello e regolare la stampa dell'altezza del piano di stampa. L'altezza del piano di stampa è corretta quando la carta sfiora la punta dell'ugello." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Visualizza" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Avvio livellamento del piano di stampa" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Impostazioni" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Spostamento alla posizione successiva" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Es&tensioni" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Seleziona qualsiasi aggiornamento realizzato per questa Ultimaker Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referenze" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Piano di stampa riscaldato (kit ufficiale o integrato)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Help" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Collega alla stampante in rete" +msgid "New project" +msgstr "Nuovo progetto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Per stampare direttamente sulla stampante in rete, verificare che la stampante desiderata sia collegata alla rete mediante un cavo di rete o mediante collegamento alla rete WIFI. Se non si esegue il collegamento di Cura alla stampante, è comunque possibile utilizzare una chiavetta USB per trasferire i file codice G alla stampante." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Sei sicuro di voler aprire un nuovo progetto? Questo cancellerà il piano di stampa e tutte le impostazioni non salvate." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Selezionare la stampante dall’elenco seguente:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Modifica" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Rimuovi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Aggiorna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Se la stampante non è nell’elenco, leggere la guida alla risoluzione dei problemi per la stampa in rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versione firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Indirizzo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Questa stampante non è predisposta per comandare un gruppo di stampanti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Questa stampante comanda un gruppo di %1 stampanti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "La stampante a questo indirizzo non ha ancora risposto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Collega" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Indirizzo IP non valido" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Inserire un indirizzo IP valido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Indirizzo stampante" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Inserire l'indirizzo IP della stampante in rete." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Modifiche configurazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Override" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "La stampante assegnata, %1, richiede la seguente modifica di configurazione:" -msgstr[1] "La stampante assegnata, %1, richiede le seguenti modifiche di configurazione:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "La stampante %1 è assegnata, ma il processo contiene una configurazione materiale sconosciuta." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Cambia materiale %1 da %2 a %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Caricare %3 come materiale %1 (Operazione non annullabile)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Cambia print core %1 da %2 a %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Cambia piano di stampa a %1 (Operazione non annullabile)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "L’override utilizza le impostazioni specificate con la configurazione stampante esistente. Ciò può causare una stampa non riuscita." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Vetro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alluminio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Sposta in alto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Cancella" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Riprendi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Messa in pausa..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Ripresa in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Interr. in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Interrompi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Sei sicuro di voler spostare %1 all’inizio della coda?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Sposta il processo di stampa in alto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Sei sicuro di voler cancellare %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Cancella processo di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Sei sicuro di voler interrompere %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Interrompi la stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gestione stampanti" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Aggiornare il firmware della stampante per gestire la coda da remoto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Impossibile visualizzare feed della Webcam per stampanti cloud da Ultimaker Cura. Fare clic su \"Gestione stampanti\" per visitare Ultimaker Digital Factory" -" e visualizzare questa Webcam." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Caricamento in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Non disponibile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Non raggiungibile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Ferma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Preparazione in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Stampa in corso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Senza titolo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonimo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Richiede modifiche di configurazione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Dettagli" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Stampante non disponibile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primo disponibile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Interrotto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Terminato" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Interr. in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Messa in pausa..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "In pausa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Ripresa in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Richiede un'azione" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Finisce %1 a %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Coda di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gestisci nel browser" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Non sono presenti processi di stampa nella coda. Eseguire lo slicing e inviare un processo per aggiungerne uno." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Processi di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tempo di stampa totale" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "In attesa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Stampa sulla rete" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Stampa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Selezione stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Accedi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Accedi alla piattaforma Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Aggiungi profili materiale e plugin dal Marketplace\n" -"- Esegui il backup e la sincronizzazione dei profili materiale e dei plugin\n" -"- Condividi idee e ottieni supporto da più di 48.000 utenti nella community di Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Crea un account Ultimaker gratuito" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Verifica in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Account sincronizzato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Si è verificato un errore..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Installare gli aggiornamenti in attesa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Verificare gli aggiornamenti dell'account" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Ultimo aggiornamento: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Account Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Esci" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Nessuna stima di tempo disponibile" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Nessuna stima di costo disponibile" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Anteprima" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Stima del tempo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Stima del materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Sezionamento in corso..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Sezionamento impossibile" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Elaborazione in corso" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Sezionamento" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Avvia il processo di sezionamento" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Annulla" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mostra la Guida ricerca e riparazione dei guasti online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Attiva/disattiva schermo intero" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Esci da schermo intero" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Annulla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "Ri&peti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Esci" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Visualizzazione 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Visualizzazione frontale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Visualizzazione superiore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Vista inferiore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Visualizzazione lato sinistro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Visualizzazione lato destro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configura Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Aggiungi stampante..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Gestione stampanti..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Gestione materiali..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Aggiungere altri materiali da Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Aggiorna il profilo con le impostazioni/esclusioni correnti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Elimina le modifiche correnti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Crea profilo dalle impostazioni/esclusioni correnti..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Gestione profili..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Mostra documentazione &online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Se&gnala un errore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Scopri le novità" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Informazioni..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Cancella selezionati" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centra selezionati" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Moltiplica selezionati" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Elimina modello" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "C&entra modello su piattaforma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Raggruppa modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Separa modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Unisci modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "Mo<iplica modello..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Seleziona tutti i modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Cancellare piano di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Ricarica tutti i modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Sistema tutti i modelli su tutti i piani di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Sistema tutti i modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Sistema selezione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Reimposta tutte le posizioni dei modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Reimposta tutte le trasformazioni dei modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Apri file..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nuovo Progetto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Mostra cartella di configurazione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configura visibilità delle impostazioni..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Mercato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Le mie stampanti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Monitora le stampanti in Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Crea progetti di stampa in Digital Library." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Processi di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Monitora i processi di stampa dalla cronologia di stampa." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Estendi Ultimaker Cura con plugin e profili del materiale." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Diventa un esperto di stampa 3D con e-learning Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Supporto Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Scopri come iniziare a utilizzare Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Fai una domanda" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Consulta la community di Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Segnala un errore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Informa gli sviluppatori che si è verificato un errore." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Visita il sito Web Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Questo pacchetto sarà installato dopo il riavvio." +msgid "Time estimation" +msgstr "Stima del tempo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Generale" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Stima del materiale" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Impostazioni" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Stampanti" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profili" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Nessuna stima di tempo disponibile" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Chiusura di %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Nessuna stima di costo disponibile" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Chiudere %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Anteprima" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Apri file" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Aggiungi una stampante" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Installa il pacchetto" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Aggiungi una stampante in rete" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Apri file" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Aggiungi una stampante non in rete" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Rilevata la presenza di uno o più file codice G tra i file selezionati. È possibile aprire solo un file codice G alla volta. Se desideri aprire un file codice G, selezionane uno solo." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Aggiungere una stampante cloud" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Aggiungi stampante" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "In attesa della risposta del cloud" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Non sono presenti stampanti nel cloud?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Le seguenti stampanti del tuo account sono state aggiunte in Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Aggiungere la stampante manualmente" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Aggiungi stampante per indirizzo IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Inserire l'indirizzo IP della stampante." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Aggiungi" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Impossibile connettersi al dispositivo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Non è possibile effettuare la connessione alla stampante Ultimaker?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "La stampante a questo indirizzo non ha ancora risposto." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Questa stampante non può essere aggiunta perché è una stampante sconosciuta o non è l'host di un gruppo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Indietro" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Collega" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Contratto di licenza" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Rifiuta e chiudi" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Benvenuto in Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Segui questa procedura per configurare\n" +"Ultimaker Cura. Questa operazione richiederà solo pochi istanti." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Per iniziare" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Accedi alla piattaforma Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Aggiungi impostazioni materiale e plugin dal Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Esegui il backup e la sincronizzazione delle impostazioni materiale e dei plugin" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Condividi idee e ottieni supporto da più di 48.000 utenti nella community di Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Salta" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Crea un account Ultimaker gratuito" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Produttore" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Autore profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nome stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Dare un nome alla stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Non è stata trovata alcuna stampante sulla rete." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Aggiorna" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Aggiungi stampante per IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Aggiungere una stampante cloud" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Ricerca e riparazione dei guasti" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Aiutaci a migliorare Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura acquisisce dati anonimi per migliorare la qualità di stampa e l'esperienza dell'utente, tra cui:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Tipi di macchine" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Utilizzo dei materiali" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Numero di sezionamenti" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Impostazioni di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "I dati acquisiti da Ultimaker Cura non conterranno alcuna informazione personale." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Ulteriori informazioni" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Scopri le novità" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Vuoto" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Note sulla versione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "Informazioni su %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "versione: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Soluzione end-to-end per la stampa 3D con filamento fuso." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3813,183 +3764,204 @@ msgstr "" "Cura è stato sviluppato da Ultimaker B.V. in cooperazione con la comunità.\n" "Cura è orgogliosa di utilizzare i seguenti progetti open source:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Interfaccia grafica utente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Struttura applicazione" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Generatore codice G" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Libreria di comunicazione intra-processo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Lingua di programmazione" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "Struttura GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Vincoli struttura GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Libreria vincoli C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Formato scambio dati" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Libreria di supporto per calcolo scientifico" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Libreria di supporto per calcolo rapido" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Libreria di supporto per gestione file STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Libreria di supporto per gestione oggetti planari" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Libreria di supporto per gestione maglie triangolari" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Libreria di supporto per gestione file 3MF" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Libreria di supporto per metadati file e streaming" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Libreria di comunicazione seriale" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Libreria scoperta ZeroConf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Libreria ritaglio poligono" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Controllo di tipo statico per Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Certificati di origine per la convalida dell'affidabilità SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Libreria per la traccia degli errori Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Libreria di impacchettamento dei poligoni sviluppata da Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Vincoli Python per libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Libreria di supporto per accesso a keyring sistema" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Estensioni Python per Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Font" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Icone SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Apertura applicazione distribuzione incrociata Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Apri file progetto" +msgid "Open file(s)" +msgstr "Apri file" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Questo è un file progetto Cura. Vuoi aprirlo come progetto o importarne i modelli?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Rilevata la presenza di uno o più file progetto tra i file selezionati. È possibile aprire solo un file progetto alla volta. Si suggerisce di importare i modelli solo da tali file. Vuoi procedere?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Ricorda la scelta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Apri come progetto" +msgid "Import all as models" +msgstr "Importa tutto come modelli" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Salva progetto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Estrusore %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Non mostrare il riepilogo di progetto alla ripetizione di salva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importa i modelli" +msgid "Save" +msgstr "Salva" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Elimina o mantieni modifiche" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -4000,1251 +3972,144 @@ msgstr "" "Mantenere queste impostazioni modificate dopo il cambio dei profili?\n" "In alternativa, è possibile eliminare le modifiche per caricare i valori predefiniti da '%1'." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Impostazioni profilo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Modifiche correnti" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Chiedi sempre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Elimina e non chiedere nuovamente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Mantieni e non chiedere nuovamente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Elimina modifiche" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Mantieni modifiche" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Apri file progetto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Rilevata la presenza di uno o più file progetto tra i file selezionati. È possibile aprire solo un file progetto alla volta. Si suggerisce di importare i modelli solo da tali file. Vuoi procedere?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Questo è un file progetto Cura. Vuoi aprirlo come progetto o importarne i modelli?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Ricorda la scelta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importa tutto come modelli" +msgid "Open as project" +msgstr "Apri come progetto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Salva progetto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Estrusore %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Non mostrare il riepilogo di progetto alla ripetizione di salva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Salva" +msgid "Import models" +msgstr "Importa i modelli" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Stampa modello selezionato con %1" -msgstr[1] "Stampa modelli selezionati con %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Senza titolo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&File" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Modifica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Visualizza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Impostazioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Es&tensioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referenze" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Help" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Nuovo progetto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Sei sicuro di voler aprire un nuovo progetto? Questo cancellerà il piano di stampa e tutte le impostazioni non salvate." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mercato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurazioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Questa configurazione non è disponibile perché %1 non viene riconosciuto. Visitare %2 per scaricare il profilo materiale corretto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mercato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Caricamento in corso configurazioni disponibili dalla stampante..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Le configurazioni non sono disponibili perché la stampante è scollegata." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Seleziona configurazione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurazioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizzata" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Abilitato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Utilizzare la colla per una migliore adesione con questa combinazione di materiali." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Stampa modello selezionato con:" -msgstr[1] "Stampa modelli selezionati con:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Moltiplica modello selezionato" -msgstr[1] "Moltiplica modelli selezionati" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Numero di copie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Salva progetto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Esporta..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Esporta selezione..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Preferiti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Generale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Apri file..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Stampanti abilitate per la rete" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Stampanti locali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Ap&ri recenti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Salva progetto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "S&tampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "Ma&teriale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Imposta come estrusore attivo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Abilita estrusore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Disabilita estrusore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Impostazioni visibili" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Comprimi tutte le categorie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gestisci Impostazione visibilità..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Posizione fotocamera" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Visualizzazione fotocamera" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Prospettiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortogonale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "P&iano di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Non collegato ad una stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "La stampante non accetta comandi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "In manutenzione. Controllare la stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Persa connessione con la stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Stampa in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "In pausa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Preparazione in corso..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Rimuovere la stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Interrompi la stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Sei sicuro di voler interrompere la stampa?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Viene stampato come supporto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Gli altri modelli che si sovrappongono a questo modello sono stati modificati." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "La sovrapposizione del riempimento con questo modello è stata modificata." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Le sovrapposizioni con questo modello non sono supportate." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Ignora %1 impostazione." -msgstr[1] "Ignora %1 impostazioni." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Elenco oggetti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interfaccia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Valuta:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Riavviare l'applicazione per rendere effettive le modifiche." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Seziona automaticamente alla modifica delle impostazioni." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Seziona automaticamente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamento del riquadro di visualizzazione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Evidenzia in rosso le zone non supportate del modello. In assenza di supporto, queste aree non saranno stampate in modo corretto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Visualizza sbalzo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Evidenziare le superfici mancanti o estranee del modello utilizzando i simboli di avvertenza. I percorsi degli utensili spesso ignoreranno parti della geometria prevista." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Visualizzare gli errori del modello" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Sposta la fotocamera in modo che il modello si trovi al centro della visualizzazione quando è selezionato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centratura fotocamera alla selezione dell'elemento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Il comportamento dello zoom predefinito di Cura dovrebbe essere invertito?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Inverti la direzione dello zoom della fotocamera." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Lo zoom si muove nella direzione del mouse?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Nella prospettiva ortogonale lo zoom verso la direzione del mouse non è supportato." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoom verso la direzione del mouse" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "I modelli sull’area di stampa devono essere spostati per evitare intersezioni?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Assicurarsi che i modelli siano mantenuti separati" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "I modelli sull’area di stampa devono essere portati a contatto del piano di stampa?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Rilascia automaticamente i modelli sul piano di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Visualizza il messaggio di avvertimento sul lettore codice G." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Messaggio di avvertimento sul lettore codice G" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Lo strato deve essere forzato in modalità di compatibilità?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forzare la modalità di compatibilità visualizzazione strato (riavvio necessario)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Aprire Cura nel punto in cui è stato chiuso?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Ripristinare la posizione della finestra all'avvio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Quale tipo di rendering della fotocamera è necessario utilizzare?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Rendering fotocamera:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Prospettiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ortogonale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Apertura e salvataggio file" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "L'apertura dei file dal desktop o da applicazioni esterne deve essere eseguita nella stessa istanza di Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utilizzare una singola istanza di Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "È necessario pulire il piano di stampa prima di caricare un nuovo modello nella singola istanza di Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Pulire il piano di stampa prima di caricare il modello nella singola istanza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "I modelli devono essere ridimensionati al volume di stampa, se troppo grandi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Ridimensiona i modelli troppo grandi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Un modello può apparire eccessivamente piccolo se la sua unità di misura è espressa in metri anziché in millimetri. Questi modelli devono essere aumentati?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Ridimensiona i modelli eccessivamente piccoli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "I modelli devono essere selezionati dopo essere stati caricati?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Selezionare i modelli dopo il caricamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Al nome del processo di stampa deve essere aggiunto automaticamente un prefisso basato sul nome della stampante?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Aggiungi al nome del processo un prefisso macchina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Quando si salva un file di progetto deve essere visualizzato un riepilogo?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Visualizza una finestra di riepilogo quando si salva un progetto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamento predefinito all'apertura di un file progetto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamento predefinito all'apertura di un file progetto: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Chiedi sempre" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Apri sempre come progetto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importa sempre i modelli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Dopo aver modificato un profilo ed essere passati a un altro, si apre una finestra di dialogo che chiede se mantenere o eliminare le modifiche oppure se scegliere un comportamento predefinito e non visualizzare più tale finestra di dialogo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profili" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Comportamento predefinito per i valori di impostazione modificati al passaggio a un profilo diverso: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Elimina sempre le impostazioni modificate" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Trasferisci sempre le impostazioni modificate a un nuovo profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "I dati anonimi sulla stampa devono essere inviati a Ultimaker? Nota, non sono trasmessi o memorizzati modelli, indirizzi IP o altre informazioni personali." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Invia informazioni di stampa (anonime)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Ulteriori informazioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Aggiornamenti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Cura deve verificare la presenza di eventuali aggiornamenti all’avvio del programma?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Controlla aggiornamenti all’avvio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Quando si verifica la presenza di aggiornamenti, cercare solo versioni stabili." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Solo versioni stabili" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Quando si verifica la presenza di aggiornamenti, cercare versioni stabili e beta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Versioni stabili e beta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "È necessario verificare automaticamente la presenza di nuovi plugin ad ogni avvio di Cura? Si consiglia di non disabilitare questa opzione!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Ricevi notifiche di aggiornamenti plugin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Attiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Rinomina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Crea" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Esporta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Sincronizza con le stampanti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Conferma rimozione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Sei sicuro di voler rimuovere %1? Questa operazione non può essere annullata!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importa materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Impossibile importare materiale {1}: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Materiale importato correttamente %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Esporta materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Impossibile esportare il materiale su %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Materiale esportato correttamente su %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Esporta tutti i materiali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informazioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Conferma modifica diametro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Il nuovo diametro del filamento impostato a %1 mm non è compatibile con l'attuale estrusore. Continuare?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Visualizza nome" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo di materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Colore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Proprietà" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densità" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diametro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Costo del filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso del filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Lunghezza del filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Costo al metro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Questo materiale è collegato a %1 e condivide alcune delle sue proprietà." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Scollega materiale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descrizione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informazioni sull’aderenza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Impostazioni di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Crea" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Crea profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Indica un nome per questo profilo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplica profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Rinomina profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importa profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Esporta profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Stampante: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Aggiorna il profilo con le impostazioni/esclusioni correnti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Elimina le modifiche correnti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Questo profilo utilizza le impostazioni predefinite dalla stampante, perciò non ci sono impostazioni/esclusioni nell’elenco riportato di seguito." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Le impostazioni correnti corrispondono al profilo selezionato." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Impostazioni globali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calcolato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Impostazione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Corrente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unità" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Impostazione visibilità" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Controlla tutto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Estrusore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Temperatura target dell'estremità riscaldata. L'estremità riscaldata si riscalderà o raffredderà sino a questo valore di temperatura. Se questo è 0, l'estremità riscaldata verrà spenta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "La temperatura corrente di questa estremità calda." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "La temperatura di preriscaldo dell’estremità calda." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Annulla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Pre-riscaldo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Riscalda l’estremità calda prima della stampa. È possibile continuare a regolare la stampa durante il riscaldamento e non è necessario attendere il riscaldamento dell’estremità calda quando si è pronti per la stampa." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Il colore del materiale di questo estrusore." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Il materiale di questo estrusore." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "L’ugello inserito in questo estrusore." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Piano di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "La temperatura target del piano riscaldato. Il piano verrà riscaldato o raffreddato a questa temperatura. Se è 0, il riscaldamento del piano viene disattivato." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "La temperatura corrente del piano riscaldato." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "La temperatura di preriscaldo del piano." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Riscalda il piano prima della stampa. È possibile continuare a regolare la stampa durante il riscaldamento e non è necessario attendere il riscaldamento del piano quando si è pronti per la stampa." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Comando stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Posizione Jog" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Distanza Jog" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Invia codice G" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Invia un comando codice G personalizzato alla stampante connessa. Premere ‘invio’ per inviare il comando." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "La stampante non è collegata." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "La stampante cloud è offline. Verificare se la stampante è accesa e collegata a Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Questa stampante non è collegata al tuo account. Visitare Ultimaker Digital Factory per stabilire una connessione." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "La connessione cloud al momento non è disponibile. Accedere per collegarsi alla stampante cloud." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "La connessione cloud al momento non è disponibile. Verificare la connessione a Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Aggiungi stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gestione stampanti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Stampanti collegate" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Stampanti preimpostate" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Stampa attiva" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Nome del processo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Tempo di stampa" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Tempo residuo stimato" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "La stampante cloud è offline. Verificare se la stampante è accesa e collegata a Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Questa stampante non è collegata al tuo account. Visitare Ultimaker Digital Factory per stabilire una connessione." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "La connessione cloud al momento non è disponibile. Accedere per collegarsi alla stampante cloud." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "La connessione cloud al momento non è disponibile. Verificare la connessione a Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Aggiungi stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Gestione stampanti" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Stampanti collegate" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Stampanti preimpostate" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Impostazioni di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Impostazione di stampa disabilitata. Il file G-code non può essere modificato." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profilo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5255,120 +4120,1703 @@ msgstr "" "\n" "Fare clic per aprire la gestione profili." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Profili personalizzati" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Elimina le modifiche correnti" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Consigliata" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Personalizzata" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Inserita" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Disinserita" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Sperimentale" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Non esiste alcun profilo %1 per la configurazione nelle estrusore %2. In alternativa verrà utilizzato lo scopo predefinito" msgstr[1] "Non esiste alcun profilo %1 per le configurazioni negli estrusori %2. In alternativa verrà utilizzato lo scopo predefinito" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Impostazione di stampa disabilitata. Il file G-code non può essere modificato." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Consigliata" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizzata" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Inserita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Disinserita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Sperimentale" +msgid "Profiles" +msgstr "Profili" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Adesione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Abilita stampa di brim o raft. Questa funzione aggiunge un’area piana attorno o sotto l’oggetto, facile da tagliare successivamente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Riempimento graduale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Un riempimento graduale aumenterà gradualmente la quantità di riempimento verso l'alto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Sono state modificate alcune impostazioni del profilo. Per modificarle, andare alla modalità personalizzata." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Supporto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Genera strutture per supportare le parti del modello a sbalzo. Senza queste strutture, queste parti collasserebbero durante la stampa." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Alcune impostazioni nascoste utilizzano valori diversi dal proprio valore normale calcolato.\n" -"\n" -"Fare clic per rendere visibili queste impostazioni." +msgid "Gradual infill" +msgstr "Riempimento graduale" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Un riempimento graduale aumenterà gradualmente la quantità di riempimento verso l'alto." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Adesione" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Abilita stampa di brim o raft. Questa funzione aggiunge un’area piana attorno o sotto l’oggetto, facile da tagliare successivamente." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Salva progetto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Stampanti abilitate per la rete" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Stampanti locali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Preferiti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Generale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Stampa modello selezionato con:" +msgstr[1] "Stampa modelli selezionati con:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Moltiplica modello selezionato" +msgstr[1] "Moltiplica modelli selezionati" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Numero di copie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Salva progetto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Esporta..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Esporta selezione..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configurazioni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Personalizzata" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Abilitato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Utilizzare la colla per una migliore adesione con questa combinazione di materiali." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Seleziona configurazione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Configurazioni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Caricamento in corso configurazioni disponibili dalla stampante..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Le configurazioni non sono disponibili perché la stampante è scollegata." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Questa configurazione non è disponibile perché %1 non viene riconosciuto. Visitare %2 per scaricare il profilo materiale corretto." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Mercato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Apri file..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "S&tampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "Ma&teriale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Imposta come estrusore attivo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Abilita estrusore" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Disabilita estrusore" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Ap&ri recenti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Impostazioni visibili" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Comprimi tutte le categorie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gestisci Impostazione visibilità..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Posizione fotocamera" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Visualizzazione fotocamera" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Prospettiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ortogonale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "P&iano di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Visualizza tipo" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Viene stampato come supporto." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Gli altri modelli che si sovrappongono a questo modello sono stati modificati." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "La sovrapposizione del riempimento con questo modello è stata modificata." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Le sovrapposizioni con questo modello non sono supportate." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Ignora %1 impostazione." +msgstr[1] "Ignora %1 impostazioni." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profili" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Attiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Crea" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Rinomina" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Esporta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Crea profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Indica un nome per questo profilo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Duplica profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Conferma rimozione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Sei sicuro di voler rimuovere %1? Questa operazione non può essere annullata!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Rinomina profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importa profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Esporta profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Stampante: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Aggiorna il profilo con le impostazioni/esclusioni correnti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Questo profilo utilizza le impostazioni predefinite dalla stampante, perciò non ci sono impostazioni/esclusioni nell’elenco riportato di seguito." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Le impostazioni correnti corrispondono al profilo selezionato." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Impostazioni globali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Generale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interfaccia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Valuta:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Riavviare l'applicazione per rendere effettive le modifiche." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Seziona automaticamente alla modifica delle impostazioni." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Seziona automaticamente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamento del riquadro di visualizzazione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Evidenzia in rosso le zone non supportate del modello. In assenza di supporto, queste aree non saranno stampate in modo corretto." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Visualizza sbalzo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Evidenziare le superfici mancanti o estranee del modello utilizzando i simboli di avvertenza. I percorsi degli utensili spesso ignoreranno parti della geometria prevista." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Visualizzare gli errori del modello" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Sposta la fotocamera in modo che il modello si trovi al centro della visualizzazione quando è selezionato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Centratura fotocamera alla selezione dell'elemento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Il comportamento dello zoom predefinito di Cura dovrebbe essere invertito?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Inverti la direzione dello zoom della fotocamera." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Lo zoom si muove nella direzione del mouse?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Nella prospettiva ortogonale lo zoom verso la direzione del mouse non è supportato." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Zoom verso la direzione del mouse" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "I modelli sull’area di stampa devono essere spostati per evitare intersezioni?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Assicurarsi che i modelli siano mantenuti separati" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "I modelli sull’area di stampa devono essere portati a contatto del piano di stampa?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Rilascia automaticamente i modelli sul piano di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Visualizza il messaggio di avvertimento sul lettore codice G." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Messaggio di avvertimento sul lettore codice G" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Lo strato deve essere forzato in modalità di compatibilità?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Forzare la modalità di compatibilità visualizzazione strato (riavvio necessario)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Aprire Cura nel punto in cui è stato chiuso?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Ripristinare la posizione della finestra all'avvio" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Quale tipo di rendering della fotocamera è necessario utilizzare?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Rendering fotocamera:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Prospettiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ortogonale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Apertura e salvataggio file" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "L'apertura dei file dal desktop o da applicazioni esterne deve essere eseguita nella stessa istanza di Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Utilizzare una singola istanza di Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "È necessario pulire il piano di stampa prima di caricare un nuovo modello nella singola istanza di Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Pulire il piano di stampa prima di caricare il modello nella singola istanza" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "I modelli devono essere ridimensionati al volume di stampa, se troppo grandi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Ridimensiona i modelli troppo grandi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Un modello può apparire eccessivamente piccolo se la sua unità di misura è espressa in metri anziché in millimetri. Questi modelli devono essere aumentati?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Ridimensiona i modelli eccessivamente piccoli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "I modelli devono essere selezionati dopo essere stati caricati?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Selezionare i modelli dopo il caricamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Al nome del processo di stampa deve essere aggiunto automaticamente un prefisso basato sul nome della stampante?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Aggiungi al nome del processo un prefisso macchina" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Quando si salva un file di progetto deve essere visualizzato un riepilogo?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Visualizza una finestra di riepilogo quando si salva un progetto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Comportamento predefinito all'apertura di un file progetto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Comportamento predefinito all'apertura di un file progetto: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Chiedi sempre" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Apri sempre come progetto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importa sempre i modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Dopo aver modificato un profilo ed essere passati a un altro, si apre una finestra di dialogo che chiede se mantenere o eliminare le modifiche oppure se scegliere un comportamento predefinito e non visualizzare più tale finestra di dialogo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Comportamento predefinito per i valori di impostazione modificati al passaggio a un profilo diverso: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Elimina sempre le impostazioni modificate" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Trasferisci sempre le impostazioni modificate a un nuovo profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "I dati anonimi sulla stampa devono essere inviati a Ultimaker? Nota, non sono trasmessi o memorizzati modelli, indirizzi IP o altre informazioni personali." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Invia informazioni di stampa (anonime)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Ulteriori informazioni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Aggiornamenti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Cura deve verificare la presenza di eventuali aggiornamenti all’avvio del programma?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Controlla aggiornamenti all’avvio" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Quando si verifica la presenza di aggiornamenti, cercare solo versioni stabili." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Solo versioni stabili" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Quando si verifica la presenza di aggiornamenti, cercare versioni stabili e beta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Versioni stabili e beta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "È necessario verificare automaticamente la presenza di nuovi plugin ad ogni avvio di Cura? Si consiglia di non disabilitare questa opzione!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Ricevi notifiche di aggiornamenti plugin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informazioni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Conferma modifica diametro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Il nuovo diametro del filamento impostato a %1 mm non è compatibile con l'attuale estrusore. Continuare?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Visualizza nome" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Tipo di materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Colore" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Proprietà" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Densità" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Diametro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Costo del filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Peso del filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Lunghezza del filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Costo al metro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Questo materiale è collegato a %1 e condivide alcune delle sue proprietà." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Scollega materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Descrizione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Informazioni sull’aderenza" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Crea" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Sincronizza con le stampanti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importa materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Impossibile importare materiale {1}: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Materiale importato correttamente %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Esporta materiale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Impossibile esportare il materiale su %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Materiale esportato correttamente su %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Esporta tutti i materiali" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Impostazione visibilità" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Controlla tutto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Stampanti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Calcolato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Impostazione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profilo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Corrente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Unità" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Non collegato ad una stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "La stampante non accetta comandi" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "In manutenzione. Controllare la stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Persa connessione con la stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Stampa in corso..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "In pausa" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Preparazione in corso..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Rimuovere la stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Interrompi la stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Sei sicuro di voler interrompere la stampa?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Stampa modello selezionato con %1" +msgstr[1] "Stampa modelli selezionati con %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Le mie stampanti" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Monitora le stampanti in Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Crea progetti di stampa in Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Processi di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Monitora i processi di stampa dalla cronologia di stampa." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Estendi Ultimaker Cura con plugin e profili del materiale." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Diventa un esperto di stampa 3D con e-learning Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Supporto Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Scopri come iniziare a utilizzare Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Fai una domanda" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Consulta la community di Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Segnala un errore" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Informa gli sviluppatori che si è verificato un errore." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Visita il sito Web Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Comando stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Posizione Jog" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Distanza Jog" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Invia codice G" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Invia un comando codice G personalizzato alla stampante connessa. Premere ‘invio’ per inviare il comando." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Estrusore" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Temperatura target dell'estremità riscaldata. L'estremità riscaldata si riscalderà o raffredderà sino a questo valore di temperatura. Se questo è 0, l'estremità riscaldata verrà spenta." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "La temperatura corrente di questa estremità calda." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "La temperatura di preriscaldo dell’estremità calda." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Annulla" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Pre-riscaldo" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Riscalda l’estremità calda prima della stampa. È possibile continuare a regolare la stampa durante il riscaldamento e non è necessario attendere il riscaldamento dell’estremità calda quando si è pronti per la stampa." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Il colore del materiale di questo estrusore." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Il materiale di questo estrusore." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "L’ugello inserito in questo estrusore." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "La stampante non è collegata." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Piano di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "La temperatura target del piano riscaldato. Il piano verrà riscaldato o raffreddato a questa temperatura. Se è 0, il riscaldamento del piano viene disattivato." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "La temperatura corrente del piano riscaldato." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "La temperatura di preriscaldo del piano." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Riscalda il piano prima della stampa. È possibile continuare a regolare la stampa durante il riscaldamento e non è necessario attendere il riscaldamento del piano quando si è pronti per la stampa." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Accedi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Aggiungi profili materiale e plugin dal Marketplace\n" +"- Esegui il backup e la sincronizzazione dei profili materiale e dei plugin\n" +"- Condividi idee e ottieni supporto da più di 48.000 utenti nella community di Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Crea un account Ultimaker gratuito" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Ultimo aggiornamento: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Account Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Esci" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Verifica in corso..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Account sincronizzato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Si è verificato un errore..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Installare gli aggiornamenti in attesa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Verificare gli aggiornamenti dell'account" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Senza titolo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Nessun elemento da selezionare da" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Mostra la Guida ricerca e riparazione dei guasti online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Attiva/disattiva schermo intero" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Esci da schermo intero" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Annulla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "Ri&peti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Esci" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Visualizzazione 3D" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Visualizzazione frontale" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Visualizzazione superiore" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Vista inferiore" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Visualizzazione lato sinistro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Visualizzazione lato destro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configura Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Aggiungi stampante..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Gestione stampanti..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Gestione materiali..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Aggiungere altri materiali da Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Aggiorna il profilo con le impostazioni/esclusioni correnti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Elimina le modifiche correnti" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Crea profilo dalle impostazioni/esclusioni correnti..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Gestione profili..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Mostra documentazione &online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Se&gnala un errore" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Scopri le novità" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Informazioni..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Cancella selezionati" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centra selezionati" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Moltiplica selezionati" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Elimina modello" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "C&entra modello su piattaforma" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Raggruppa modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Separa modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Unisci modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "Mo<iplica modello..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Seleziona tutti i modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Cancellare piano di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Ricarica tutti i modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Sistema tutti i modelli su tutti i piani di stampa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Sistema tutti i modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Sistema selezione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Reimposta tutte le posizioni dei modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Reimposta tutte le trasformazioni dei modelli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Apri file..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nuovo Progetto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Mostra cartella di configurazione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configura visibilità delle impostazioni..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Mercato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Questa impostazione non è utilizzata perché tutte le impostazioni che influenza sono sottoposte a override." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Influisce su" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Influenzato da" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Questa impostazione è sempre condivisa tra tutti gli estrusori. La sua modifica varierà il valore per tutti gli estrusori." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Questa impostazione viene risolta dai valori in conflitto specifici dell'estrusore:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5379,7 +5827,7 @@ msgstr "" "\n" "Fare clic per ripristinare il valore del profilo." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5390,509 +5838,93 @@ msgstr "" "\n" "Fare clic per ripristinare il valore calcolato." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Impostazioni ricerca" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Copia valore su tutti gli estrusori" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Copia tutti i valori modificati su tutti gli estrusori" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Nascondi questa impostazione" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Nascondi questa impostazione" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Mantieni visibile questa impostazione" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Visualizzazione 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Visualizzazione frontale" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Visualizzazione superiore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Vista sinistra" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Vista destra" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Visualizza tipo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Aggiungere una stampante cloud" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "In attesa della risposta del cloud" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Non sono presenti stampanti nel cloud?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Le seguenti stampanti del tuo account sono state aggiunte in Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Aggiungere la stampante manualmente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Produttore" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Autore profilo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nome stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Dare un nome alla stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Aggiungi una stampante" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Aggiungi una stampante in rete" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Aggiungi una stampante non in rete" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Non è stata trovata alcuna stampante sulla rete." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Aggiorna" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Aggiungi stampante per IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Aggiungere una stampante cloud" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Ricerca e riparazione dei guasti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Aggiungi stampante per indirizzo IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Inserire l'indirizzo IP della stampante." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Aggiungi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Impossibile connettersi al dispositivo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Non è possibile effettuare la connessione alla stampante Ultimaker?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "La stampante a questo indirizzo non ha ancora risposto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Questa stampante non può essere aggiunta perché è una stampante sconosciuta o non è l'host di un gruppo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Indietro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Collega" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Note sulla versione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Aggiungi impostazioni materiale e plugin dal Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Esegui il backup e la sincronizzazione delle impostazioni materiale e dei plugin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Condividi idee e ottieni supporto da più di 48.000 utenti nella community di Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Salta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Crea un account Ultimaker gratuito" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Aiutaci a migliorare Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura acquisisce dati anonimi per migliorare la qualità di stampa e l'esperienza dell'utente, tra cui:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipi di macchine" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Utilizzo dei materiali" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Numero di sezionamenti" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Impostazioni di stampa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "I dati acquisiti da Ultimaker Cura non conterranno alcuna informazione personale." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Ulteriori informazioni" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vuoto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Contratto di licenza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rifiuta e chiudi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Benvenuto in Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"Segui questa procedura per configurare\n" -"Ultimaker Cura. Questa operazione richiederà solo pochi istanti." +"Alcune impostazioni nascoste utilizzano valori diversi dal proprio valore normale calcolato.\n" +"\n" +"Fare clic per rendere visibili queste impostazioni." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Per iniziare" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Questo pacchetto sarà installato dopo il riavvio." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Impostazioni" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Chiusura di %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Chiudere %1?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Installa il pacchetto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Apri file" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Rilevata la presenza di uno o più file codice G tra i file selezionati. È possibile aprire solo un file codice G alla volta. Se desideri aprire un file codice G, selezionane uno solo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Aggiungi stampante" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Scopri le novità" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Nessun elemento da selezionare da" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Controlla i modelli e la configurazione di stampa per eventuali problematiche di stampa e suggerimenti." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Controllo modello" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Fornisce il supporto per la lettura di file 3MF." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Lettore 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Fornisce il supporto per la scrittura di file 3MF." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "Writer 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Fornisce il supporto per la lettura di file 3MF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Lettore 3MF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Effettua il backup o ripristina la configurazione." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Backup Cura" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Fornisce il collegamento al back-end di sezionamento CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Back-end CuraEngine" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Fornisce supporto per l'importazione dei profili Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Lettore profilo Cura" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Fornisce supporto per l'esportazione dei profili Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Writer profilo Cura" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Si collega alla Digital Library, consentendo a Cura di aprire file e salvare file in Digital Library." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Controlla disponibilità di aggiornamenti firmware." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Controllo aggiornamento firmware" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Fornisce azioni macchina per l’aggiornamento del firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Aggiornamento firmware" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Legge il codice G da un archivio compresso." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Lettore codice G compresso" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Scrive il codice G in un archivio compresso." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Writer codice G compresso" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Fornisce supporto per l'importazione di profili da file G-Code." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Lettore profilo codice G" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Consente il caricamento e la visualizzazione dei file codice G." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Lettore codice G" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Scrive il codice G in un file." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Writer codice G" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Abilita la possibilità di generare geometria stampabile da file immagine 2D." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Lettore di immagine" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Fornisce supporto per l'importazione di profili dalle versioni legacy Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Lettore legacy profilo Cura" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Fornisce un modo per modificare le impostazioni della macchina (come il volume di stampa, la dimensione ugello, ecc.)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Azione Impostazioni macchina" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Fornisce una fase di controllo in Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Fase di controllo" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5903,85 +5935,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Utilità impostazioni per modello" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Estensione che consente la post-elaborazione degli script creati da utente" +msgid "Provides support for importing Cura profiles." +msgstr "Fornisce supporto per l'importazione dei profili Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Post-elaborazione" +msgid "Cura Profile Reader" +msgstr "Lettore profilo Cura" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Fornisce una fase di preparazione in Cura." +msgid "Provides support for reading X3D files." +msgstr "Fornisce il supporto per la lettura di file X3D." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Fase di preparazione" +msgid "X3D Reader" +msgstr "Lettore X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Fornisce una fase di anteprima in Cura." +msgid "Backup and restore your configuration." +msgstr "Effettua il backup o ripristina la configurazione." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Fase di anteprima" +msgid "Cura Backups" +msgstr "Backup Cura" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Fornisce il collegamento a caldo dell'unità rimovibile e il supporto per la scrittura." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Fornisce un modo per modificare le impostazioni della macchina (come il volume di stampa, la dimensione ugello, ecc.)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plugin dispositivo di output unità rimovibile" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Registra determinati eventi in modo che possano essere utilizzati dal segnalatore dei crash" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Logger sentinella" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Fornisce la vista di simulazione." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Vista simulazione" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Invia informazioni su sezionamento anonime Può essere disabilitato tramite le preferenze." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Informazioni su sezionamento" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Fornisce una normale visualizzazione a griglia compatta." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Visualizzazione compatta" +msgid "Machine Settings Action" +msgstr "Azione Impostazioni macchina" #: SupportEraser/plugin.json msgctxt "description" @@ -5993,35 +5985,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Cancellazione supporto" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Trova, gestisce ed installa nuovi pacchetti Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Fornisce il collegamento a caldo dell'unità rimovibile e il supporto per la scrittura." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Casella degli strumenti" +msgid "Removable Drive Output Device Plugin" +msgstr "Plugin dispositivo di output unità rimovibile" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Fornisce supporto per la lettura dei file modello." +msgid "Provides a machine actions for updating firmware." +msgstr "Fornisce azioni macchina per l’aggiornamento del firmware." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh Reader" +msgid "Firmware Updater" +msgstr "Aggiornamento firmware" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Fornisce il supporto per la lettura di pacchetti formato Ultimaker." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Fornisce supporto per l'importazione di profili dalle versioni legacy Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Lettore UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Lettore legacy profilo Cura" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Fornisce il supporto per la lettura di file 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Lettore 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -6033,25 +6035,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Writer UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Fornisce azioni macchina per le macchine Ultimaker (come la procedura guidata di livellamento del piano di stampa, la selezione degli aggiornamenti, ecc.)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Registra determinati eventi in modo che possano essere utilizzati dal segnalatore dei crash" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Azioni della macchina Ultimaker" +msgid "Sentry Logger" +msgstr "Logger sentinella" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Gestisce le connessioni di rete alle stampanti Ultimaker in rete." +msgid "Provides support for importing profiles from g-code files." +msgstr "Fornisce supporto per l'importazione di profili da file G-Code." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Connessione di rete Ultimaker" +msgid "G-code Profile Reader" +msgstr "Lettore profilo codice G" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Fornisce una fase di anteprima in Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Fase di anteprima" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Fornisce la vista a raggi X." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Vista ai raggi X" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Fornisce il collegamento al back-end di sezionamento CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Back-end CuraEngine" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Fornisce il supporto per la lettura di file 3MF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Lettore 3MF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Legge il codice G da un archivio compresso." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Lettore codice G compresso" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Estensione che consente la post-elaborazione degli script creati da utente" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Post-elaborazione" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Fornisce supporto per l'esportazione dei profili Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Writer profilo Cura" #: USBPrinting/plugin.json msgctxt "description" @@ -6063,25 +6135,135 @@ msgctxt "name" msgid "USB printing" msgstr "Stampa USB" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Aggiorna le configurazioni da Cura 2.1 a Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Fornisce una fase di preparazione in Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Aggiornamento della versione da 2.1 a 2.2" +msgid "Prepare Stage" +msgstr "Fase di preparazione" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Aggiorna le configurazioni da Cura 2.2 a Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Consente il caricamento e la visualizzazione dei file codice G." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Aggiornamento della versione da 2.2 a 2.4" +msgid "G-code Reader" +msgstr "Lettore codice G" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Abilita la possibilità di generare geometria stampabile da file immagine 2D." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Lettore di immagine" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Fornisce azioni macchina per le macchine Ultimaker (come la procedura guidata di livellamento del piano di stampa, la selezione degli aggiornamenti, ecc.)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Azioni della macchina Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Scrive il codice G in un archivio compresso." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Writer codice G compresso" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Controlla disponibilità di aggiornamenti firmware." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Controllo aggiornamento firmware" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Invia informazioni su sezionamento anonime Può essere disabilitato tramite le preferenze." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Informazioni su sezionamento" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Offre la possibilità di leggere e scrivere profili di materiali basati su XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Profili del materiale" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Si collega alla Digital Library, consentendo a Cura di aprire file e salvare file in Digital Library." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Trova, gestisce ed installa nuovi pacchetti Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Casella degli strumenti" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Scrive il codice G in un file." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Writer codice G" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Fornisce la vista di simulazione." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Vista simulazione" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Aggiorna le configurazioni da Cura 4.5 a Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Aggiornamento della versione da 4.5 a 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6093,55 +6275,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Aggiornamento della versione da 2.5 a 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Aggiorna le configurazioni da Cura 2.6 a Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Aggiorna le configurazioni da Cura 4.6.0 a Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Aggiornamento della versione da 2.6 a 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Aggiornamento versione da 4.6.0 a 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Aggiorna le configurazioni da Cura 2.7 a Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Aggiorna le configurazioni da Cura 4.7 a Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Aggiornamento della versione da 2.7 a 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Aggiorna le configurazioni da Cura 3.0 a Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Aggiornamento della versione da 3.0 a 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Aggiorna le configurazioni da Cura 3.2 a Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Aggiornamento della versione da 3.2 a 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Aggiorna le configurazioni da Cura 3.3 a Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Aggiornamento della versione da 3.3 a 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Aggiornamento della versione da 4.7 a 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6153,45 +6305,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Aggiornamento della versione da 3.4 a 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Aggiorna le configurazioni da Cura 3.5 a Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Aggiorna le configurazioni da Cura 2.1 a Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Aggiornamento della versione da 3.5 a 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Aggiornamento della versione da 2.1 a 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Aggiorna le configurazioni da Cura 4.0 a Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Aggiorna le configurazioni da Cura 3.2 a Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Aggiornamento della versione da 4.0 a 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Aggiornamento della versione da 3.2 a 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Aggiorna le configurazioni da Cura 4.11 a Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Aggiorna le configurazioni da Cura 4.8 a Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Aggiornamento della versione da 4.11 a 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Aggiornamento della versione da 4.8 a 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Aggiorna le configurazioni da Cura 4.1 a Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Aggiorna le configurazioni da Cura 4.6.2 a Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Aggiornamento della versione da 4.1 a 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Aggiornamento versione da 4.6.2 a 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6213,66 +6365,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Aggiornamento della versione da 4.3 a 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Aggiorna le configurazioni da Cura 4.4 a Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Aggiornamento della versione da 4.4 a 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Aggiorna le configurazioni da Cura 4.5 a Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Aggiornamento della versione da 4.5 a 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Aggiorna le configurazioni da Cura 4.6.0 a Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Aggiornamento versione da 4.6.0 a 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Aggiorna le configurazioni da Cura 4.6.2 a Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Aggiornamento versione da 4.6.2 a 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Aggiorna le configurazioni da Cura 4.7 a Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Aggiornamento della versione da 4.7 a 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Aggiorna le configurazioni da Cura 4.8 a Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Aggiornamento della versione da 4.8 a 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6283,35 +6375,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Aggiornamento della versione da 4.9 a 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Fornisce il supporto per la lettura di file X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Aggiorna le configurazioni da Cura 2.7 a Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Lettore X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Aggiornamento della versione da 2.7 a 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Offre la possibilità di leggere e scrivere profili di materiali basati su XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Aggiorna le configurazioni da Cura 2.6 a Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Profili del materiale" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Aggiornamento della versione da 2.6 a 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Fornisce la vista a raggi X." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Aggiorna le configurazioni da Cura 4.11 a Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Vista ai raggi X" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Aggiornamento della versione da 4.11 a 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Aggiorna le configurazioni da Cura 3.3 a Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Aggiornamento della versione da 3.3 a 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Aggiorna le configurazioni da Cura 3.0 a Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Aggiornamento della versione da 3.0 a 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Aggiorna le configurazioni da Cura 4.0 a Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Aggiornamento della versione da 4.0 a 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Aggiorna le configurazioni da Cura 4.4 a Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Aggiornamento della versione da 4.4 a 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Aggiorna le configurazioni da Cura 2.2 a Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Aggiornamento della versione da 2.2 a 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Aggiorna le configurazioni da Cura 4.1 a Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Aggiornamento della versione da 4.1 a 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Aggiorna le configurazioni da Cura 3.5 a Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Aggiornamento della versione da 3.5 a 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Gestisce le connessioni di rete alle stampanti Ultimaker in rete." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Connessione di rete Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Fornisce supporto per la lettura dei file modello." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh Reader" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Fornisce il supporto per la lettura di pacchetti formato Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Lettore UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Fornisce una normale visualizzazione a griglia compatta." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Visualizzazione compatta" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Fornisce il supporto per la scrittura di file 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Writer 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Fornisce una fase di controllo in Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Fase di controllo" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Controlla i modelli e la configurazione di stampa per eventuali problematiche di stampa e suggerimenti." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Controllo modello" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/it_IT/fdmextruder.def.json.po b/resources/i18n/it_IT/fdmextruder.def.json.po index 98cefa5f7e..e5b21c43ed 100644 --- a/resources/i18n/it_IT/fdmextruder.def.json.po +++ b/resources/i18n/it_IT/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Bothof \n" "Language-Team: Italian\n" diff --git a/resources/i18n/it_IT/fdmprinter.def.json.po b/resources/i18n/it_IT/fdmprinter.def.json.po index 03358aa15e..fcacdb3b0b 100644 --- a/resources/i18n/it_IT/fdmprinter.def.json.po +++ b/resources/i18n/it_IT/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Italian , Italian \n" @@ -53,8 +53,10 @@ msgstr "Codice G avvio" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "I comandi codice G da eseguire all’avvio, separati da \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -63,8 +65,10 @@ msgstr "Codice G fine" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "I comandi codice G da eseguire alla fine, separati da \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -146,6 +150,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "La profondità (direzione Y) dell’area stampabile." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Altezza macchina" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "L’altezza (direzione Z) dell’area stampabile." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -186,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Alluminio" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Altezza macchina" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "L’altezza (direzione Z) dell’area stampabile." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -553,8 +557,8 @@ msgstr "Indica la velocità massima del motore per la direzione Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Velocità di alimentazione massima" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1723,12 +1727,8 @@ msgstr "Configurazione di riempimento" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Configurazione del materiale di riempimento della stampa. Il riempimento a linea e a zig zag cambia direzione su strati alternati, riducendo il costo del" -" materiale. Le configurazioni a griglia, a triangolo, tri-esagonali, cubiche, ottagonali, a quarto di cubo, incrociate e concentriche sono stampate completamente" -" su ogni strato. Le configurazioni gyroid, cubiche, a quarto di cubo e ottagonali variano per ciascuno strato per garantire una più uniforme distribuzione" -" della forza in ogni direzione. Il riempimento fulmine cerca di minimizzare il riempimento, supportando solo le parti superiori (interne) dell'oggetto." -" Come tale, la percentuale di riempimento è 'valida' solo uno strato al di sotto di ciò che è necessario per supportare il modello." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2041,9 +2041,8 @@ msgstr "Angolo eliminazione riempimento fulmine" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "La differenza tra uno strato di riempimento fulmine con quello immediatamente sopra rispetto alla potatura delle estremità esterne degli alberi. Misurato" -" nell'angolo dato lo spessore." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2052,9 +2051,8 @@ msgstr "Angolo di raddrizzatura riempimento fulmine" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "La differenza tra uno strato di riempimento fulmine con quello immediatamente sopra rispetto alla levigatura degli alberi. Misurato nell'angolo dato lo" -" spessore." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6479,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Matrice di rotazione da applicare al modello quando caricato dal file." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "I comandi codice G da eseguire all’avvio, separati da \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "I comandi codice G da eseguire alla fine, separati da \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Velocità di alimentazione massima" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Configurazione del materiale di riempimento della stampa. Il riempimento a linea e a zig zag cambia direzione su strati alternati, riducendo il costo del materiale. Le configurazioni a griglia, a triangolo, tri-esagonali, cubiche, ottagonali, a quarto di cubo, incrociate e concentriche sono stampate completamente su ogni strato. Le configurazioni gyroid, cubiche, a quarto di cubo e ottagonali variano per ciascuno strato per garantire una più uniforme distribuzione della forza in ogni direzione. Il riempimento fulmine cerca di minimizzare il riempimento, supportando solo le parti superiori (interne) dell'oggetto. Come tale, la percentuale di riempimento è 'valida' solo uno strato al di sotto di ciò che è necessario per supportare il modello." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "La differenza tra uno strato di riempimento fulmine con quello immediatamente sopra rispetto alla potatura delle estremità esterne degli alberi. Misurato nell'angolo dato lo spessore." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "La differenza tra uno strato di riempimento fulmine con quello immediatamente sopra rispetto alla levigatura degli alberi. Misurato nell'angolo dato lo spessore." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Configurazione del materiale di riempimento della stampa. Il riempimento a linea e a zig zag cambia direzione su strati alternati, riducendo il costo del materiale. Le configurazioni a griglia, a triangolo, tri-esagonali, cubiche, ottagonali, a quarto di cubo, incrociate e concentriche sono stampate completamente su ogni strato. Le configurazioni gyroid, cubiche, a quarto di cubo e ottagonali variano per ciascuno strato per garantire una più uniforme distribuzione della forza in ogni direzione." diff --git a/resources/i18n/ja_JP/cura.po b/resources/i18n/ja_JP/cura.po index b12166bbd0..fc73369ee7 100644 --- a/resources/i18n/ja_JP/cura.po +++ b/resources/i18n/ja_JP/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-09-07 08:00+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Japanese , Japanese \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "不明" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "ユーザーデータディレクトリからアーカイブを作成できません: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "下のプリンターはグループの一員であるため接続できません" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "バックアップ" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "ネットワークで利用可能なプリンター" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "適切なデータまたはメタデータがないのにCuraバックアップをリストアしようとしました。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "上書きできません" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "現行バージョンより上の Cura バックアップをリストアしようとしました。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "Curaのバックアップのリストア中に次のエラーが発生しました。" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "プリントを開始する前に、材料プロファイルをプリンターと同期させてください。" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "新しい材料がインストールされました" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "材料をプリンターと同期" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "詳しく見る" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "材料アーカイブを{}に保存できませんでした:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "材料アーカイブの保存に失敗しました" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "プリントシークエンス設定値により、ガントリーと造形物の衝突を避けるため印刷データの高さを低くしました。" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "造形サイズ" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "{0}を取り除いてもよろしいですか?この操作は元に戻せません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "上書きできません" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "不明" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "下のプリンターはグループの一員であるため接続できません" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "ネットワークで利用可能なプリンター" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "ビジュアル" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "ビジュアルプロファイルは、優れたビジュアルと表面品質を目的としたビジュアルプロトタイプやモデルをプリントするために設計されています。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "エンジニアリングプロファイルは、精度向上と公差の厳格対応を目的とした機能プロトタイプや最終用途部品をプリントするために設計されています。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "ドラフト" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "ドラフトプロファイルは、プリント時間の大幅短縮を目的とした初期プロトタイプとコンセプト検証をプリントするために設計されています。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "プリントを開始する前に、材料プロファイルをプリンターと同期させてください。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "新しい材料がインストールされました" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "材料をプリンターと同期" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "詳しく見る" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "カスタムフィラメント" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "カスタム" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "材料アーカイブを{}に保存できませんでした:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "材料アーカイブの保存に失敗しました" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "カスタムプロファイル" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "すべてのサポートのタイプ ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "全てのファイル" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "ビジュアル" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "ビジュアルプロファイルは、優れたビジュアルと表面品質を目的としたビジュアルプロトタイプやモデルをプリントするために設計されています。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "エンジニアリングプロファイルは、精度向上と公差の厳格対応を目的とした機能プロトタイプや最終用途部品をプリントするために設計されています。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "ドラフト" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "ドラフトプロファイルは、プリント時間の大幅短縮を目的とした初期プロトタイプとコンセプト検証をプリントするために設計されています。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "カスタムフィラメント" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "カスタム" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "ログインに失敗しました" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "造形物のために新しい位置を探索中" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "位置確認" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "全ての造形物の造形サイズに対し、適切な位置が確認できません" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "位置を確保できません" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "ユーザーデータディレクトリからアーカイブを作成できません: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "バックアップ" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "適切なデータまたはメタデータがないのにCuraバックアップをリストアしようとしました。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "現行バージョンより上の Cura バックアップをリストアしようとしました。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "Curaのバックアップのリストア中に次のエラーが発生しました。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "プリンターを読み込み中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "プレファレンスをセットアップ中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "アクティブなプリンターを初期化中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "プリンターマネージャーを初期化中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "ビルドボリュームを初期化中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "シーンをセットアップ中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "インターフェイスを読み込み中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "エンジンを初期化中..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "プリントシークエンス設定値により、ガントリーと造形物の衝突を避けるため印刷データの高さを低くしました。" +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "一度に一つのG-codeしか読み取れません。{0}の取り込みをスキップしました。" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "造形サイズ" +msgid "Warning" +msgstr "警告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "G-codeを読み込み中は他のファイルを開くことができません。{0}の取り込みをスキップしました。" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "エラー" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "スキップ" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "閉める" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "次" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "終わる" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "追加" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "キャンセル" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "グループ #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "アウターウォール" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "インナーウォール" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "スキン" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "インフィル" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "サポートイルフィル" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "サポートインターフェイス" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "サポート" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "スカート" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "プライムタワー" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "移動" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "退却" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "他" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "リリースノートを開くことができませんでした。" + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Curaを開始できません" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    問題解決のために、このクラッシュ報告をお送りください。

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "クラッシュ報告をUltimakerに送信する" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "詳しいクラッシュ報告を表示する" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "コンフィグレーションのフォルダーを表示する" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "バックアップとリセットの設定" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "クラッシュ報告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,497 +510,1264 @@ msgstr "" "

    「レポート送信」ボタンを使用してバグレポートが自動的に当社サーバーに送られるようにしてください

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "システム情報" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "不明" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Curaバージョン" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura言語" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "OS言語" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "プラットフォーム" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qtバージョン" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQtバージョン" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "初期化されていません
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGLバージョン: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGLベンダー: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGLレンダラー: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "エラー・トレースバック" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "ログ" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "レポート送信" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "プリンターを読み込み中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "プレファレンスをセットアップ中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "アクティブなプリンターを初期化中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "プリンターマネージャーを初期化中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "ビルドボリュームを初期化中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "シーンをセットアップ中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "インターフェイスを読み込み中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "エンジンを初期化中..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "一度に一つのG-codeしか読み取れません。{0}の取り込みをスキップしました。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "警告" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "G-codeを読み込み中は他のファイルを開くことができません。{0}の取り込みをスキップしました。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "エラー" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "造形データを増やす、配置する" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "造形データを配置" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "造形データを配置" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "応答を読み取れません。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "指定された状態が正しくありません。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "このアプリケーションの許可において必要な権限を与えてください。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "ログイン時に予期しないエラーが発生しました。やり直してください。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "新しいサインインプロセスを開始できません。別のサインインの試行がアクティブなままになっていないか確認します。" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Ultimaker アカウントサーバーに到達できません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "指定された状態が正しくありません。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "このアプリケーションの許可において必要な権限を与えてください。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "ログイン時に予期しないエラーが発生しました。やり直してください。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "応答を読み取れません。" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "造形データを増やす、配置する" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "造形データを配置" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "造形データを配置" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "サポート対象外" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "ノズル" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "現在利用可能な次のエクストルーダーに合わせて設定が変更されました:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "設定が更新されました" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "エクストルーダーを無効にしました" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "すでに存在するファイルです" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "{0} は既に存在します。ファイルを上書きしますか?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "無効なファイルのURL:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "{0}にプロファイルを書き出すのに失敗しました: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "{0}にプロファイルを書き出すことに失敗しました。:ライタープラグイン失敗の報告。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "{0}にプロファイルを書き出しました" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "書き出し完了" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "{0}からプロファイルの取り込に失敗しました:{1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "プリンタを追加する前に、{0}からプロファイルの取り込はできません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "ファイル{0}にはカスタムプロファイルがインポートされていません" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "{0}からプロファイルの取り込に失敗しました:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "このプロファイル{0}には、正しくないデータが含まれているため、インポートできません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "{0}からプロファイルの取り込みに失敗しました:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "プロファイル{0}の取り込みが完了しました。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "ファイル{0}には、正しいプロファイルが含まれていません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "プロファイル{0}は不特定なファイルまたは破損があります。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "カスタムプロファイル" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "プロファイルはクオリティータイプが不足しています。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "アクティブなプリンターはありません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "プロファイルを追加できません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "クオリティータイプ「{0}」は、現在アクティブなプリンター定義「{1}」と互換性がありません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "警告:現在の構成ではクオリティータイプ「{0}」を使用できないため、プロファイルは表示されません。このクオリティータイプを使用できる材料/ノズルの組み合わせに切り替えてください。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "サポート対象外" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "ノズル" +msgid "Per Model Settings" +msgstr "各モデル設定" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "現在利用可能な次のエクストルーダーに合わせて設定が変更されました:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "各モデル構成設定" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Curaプロファイル" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3Dファイル" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "バックアップのリストア中にエラーが発生しました。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "設定が更新されました" +msgid "Backups" +msgstr "バックアップ" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "バックアップのアップロード中にエラーが発生しました。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "バックアップを作成しています..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "バックアップの作成中にエラーが発生しました。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "バックアップをアップロードしています..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "バックアップのアップロードを完了しました。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "バックアップが最大ファイルサイズを超えています。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "バックアップを管理する" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "プリンターの設定" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "サポートブロッカー" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "サポートが印刷されないボリュームを作成します。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "リムーバブルドライブ" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "リムーバブルドライブに保存" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "リムーバブルドライブ{0}に保存" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "書き出すために利用可能な形式のファイルがありません!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "リムーバブルドライブ{0}に保存中" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "エクストルーダーを無効にしました" +msgid "Saving" +msgstr "保存中" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "{0}を保存できませんでした: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "デバイス{device}に書き出すためのファイル名が見つかりませんでした。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 +#, python-brace-format +msgctxt "@info:status" +msgid "Could not save to removable drive {0}: {1}" +msgstr "リムーバブルドライブ{0}に保存することができませんでした: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "リムーバブルドライブ{0}に {1}として保存" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "ファイル保存" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 msgctxt "@action:button" -msgid "Add" -msgstr "追加" +msgid "Eject" +msgstr "取り出す" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "リムーバブルデバイス{0}を取り出す" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "{0}取り出し完了。デバイスを安全に取り外せます。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "ハードウェアを安全に取り外します" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "{0}取り出し失敗。他のプログラムがデバイスを使用しているため。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "ファームウェアアップデート" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 プロファイル" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "推奨" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "カスタム" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "プロジェクトファイル {0} に不明なマシンタイプ {1} があります。マシンをインポートできません。代わりにモデルをインポートします。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "プロジェクトファイルを開く" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "プロジェクトファイル{0}が突然アクセスできなくなりました:{1}。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "プロジェクトファイルを開けません" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "プロジェクトファイル{0}は破損しています:{1}。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tag !" +msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." +msgstr "プロジェクトファイル{0}はこのバージョンのUltimaker Curaでは認識できないプロファイルを使用して作成されています。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 +msgctxt "@item:inlistbox" +msgid "3MF File" +msgstr "3MF ファイル" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "UFPファイルに書き込めません:" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "Ultimaker Format Package" +msgstr "Ultimakerフォーマットパッケージ" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 +msgctxt "@item:inlistbox" +msgid "G-code File" +msgstr "G-codeファイル" + +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 +msgctxt "@item:inmenu" +msgid "Preview" +msgstr "プレビュー" + +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "透視ビューイング" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "レイヤーを処理しています" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "インフォメーション" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +msgctxt "@message" +msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." +msgstr "予期しないエラーが発生し、スライスに失敗しました。問題追跡ツールでのバグ報告をご検討ください。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +msgctxt "@message:title" +msgid "Slicing failed" +msgstr "スライスに失敗しました" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +msgctxt "@message:button" +msgid "Report a bug" +msgstr "バグを報告" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +msgctxt "@message:description" +msgid "Report a bug on Ultimaker Cura's issue tracker." +msgstr "Ultimaker Curaの問題追跡ツールでバグを報告してください。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +msgctxt "@info:status" +msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." +msgstr "選ばれたプリンターまたは選ばれたプリント構成が異なるため進行中の材料にてスライスを完了できません。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "スライスできません" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice with the current settings. The following settings have errors: {0}" +msgstr "現在の設定でスライスが完了できません。以下の設定にエラーがあります: {0}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" +msgstr "モデル別の設定があるためスライスできません。1つまたは複数のモデルで以下の設定にエラーが発生しました:{error_labels}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:status" +msgid "Unable to slice because the prime tower or prime position(s) are invalid." +msgstr "プライムタワーまたはプライム位置が無効なためスライスできません。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#, python-format +msgctxt "@info:status" +msgid "Unable to slice because there are objects associated with disabled Extruder %s." +msgstr "無効な Extruder %s に関連付けられている造形物があるため、スライスできません。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +msgctxt "@info:status" +msgid "" +"Please review settings and check if your models:\n" +"- Fit within the build volume\n" +"- Are assigned to an enabled extruder\n" +"- Are not all set as modifier meshes" +msgstr "" +"設定を見直し、モデルが次の状態かどうかを確認してください。\n" +"- 造形サイズに合っている\n" +"- 有効なエクストルーダーに割り当てられている\n" +"- すべてが修飾子メッシュとして設定されているわけではない" + +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "AMF File" +msgstr "AMF ファイル" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "圧縮G-codeファイル" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "後処理" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "G-codeを修正" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USBプリンティング" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "USBを使ってプリントする" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "USBを使ってプリントする" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "USBにて接続する" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USBプリントを実行しています。Cura を閉じるとこのプリントも停止します。実行しますか?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "現在印刷中です。Curaは、前の印刷が完了するまでUSBを介した次の印刷を開始できません。" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "現在印刷中" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "準備する" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G-codeを解析" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-codeの詳細" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "データファイルを送信する前に、プリンターとプリンターの構成設定にそのG-codeが適応しているか確認してください。G-codeの表示が適切でない場合があります。" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Gファイル" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG画像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG画像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG画像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP画像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF画像" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "ビルドプレートを調整する" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "アップグレードを選択する" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter はテキストモードをサポートしていません。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "必要なアップデートの情報にアクセスできません。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#, python-brace-format +msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" +msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "お使いの{machine_name}について新機能またはバグ修正が利用できる可能性があります。まだ最新のバージョンでない場合は、プリンターのファームウェアをバージョン{latest_version}に更新することを推奨します。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s stable firmware available" +msgstr "%sの新しい安定版ファームウェアが利用可能です" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" -msgid "Finish" -msgstr "終わる" +msgid "How to update" +msgstr "アップデートの仕方" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +msgctxt "@text" +msgid "Unable to read example data file." +msgstr "サンプルのデータファイルを読み取ることができません。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +msgctxt "@info:generic" +msgid "You need to quit and restart {} before changes have effect." +msgstr "変更を有効にするために{}を終了して再始動する必要があります。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "同期中..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Ultimakerアカウントから変更が検出されました" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "材料パッケージとソフトウェアパッケージをアカウントと同期しますか?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 msgctxt "@action:button" -msgid "Cancel" -msgstr "キャンセル" +msgid "Sync" +msgstr "同期" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "拒否してアカウントから削除" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +msgctxt "@info:generic" +msgid "{} plugins failed to download" +msgstr "{}プラグインのダウンロードに失敗しました" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "拒否する" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "同意する" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "プラグインライセンス同意書" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter は非テキストモードはサポートしていません。" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "エクスポートする前にG-codeの準備をしてください。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Curaはワイヤープリンティングが有効な場合は正確にレイヤーを表示しません。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "シミュレーションビュー" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "最初にスライスする必要があるため、何も表示されません。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "表示するレイヤーがありません" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "今後このメッセージを表示しない" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "Layer view" +msgstr "レイヤービュー" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "ネットワーク上のプリント" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "ネットワークのプリント" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "ネットワーク上で接続" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "翌日" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "本日" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 +msgctxt "@action" +msgid "Connect via Network" +msgstr "ネットワーク上にて接続" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "現在のジョブが送信されるまで待機してください。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "印刷エラー" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "プリントジョブは正常にプリンターに送信されました。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "データを送信しました" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Ultimaker Connectを実行していないプリンターに接続しようとしています。プリンターを最新のファームウェアに更新してください。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "プリンターの更新" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "プリントジョブのキューがいっぱいです。プリンターは新しいジョブを処理できません。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "キューがいっぱい" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "印刷ジョブ送信中" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "プリントジョブをプリンターにアップロードしています。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Curaはグループ{0}のホストプリンターにまだインストールされていない材料プロフィールを検出しました。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "プリンターに材料を送信しています" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "データをプリンタにアップロードできませんでした。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "ネットワークエラー" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "{0}に接続を試みていますが、これはグループのホストではありません。グループホストとして設定するには、ウェブページを参照してください。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "グループホストではありません" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 +msgctxt "@action" +msgid "Configure group" +msgstr "グループの設定" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"プリンター{printer_name}をクラウド経由で接続できました。\n" +"プリンターをDigital Factoryに接続することで、どこからでもプリントキューの管理とプリントのモニタリングを行えます。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "クラウドプリンティングの準備はできていますか?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "はじめに" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "詳しく見る" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +msgctxt "@action:button" +msgid "Print via cloud" +msgstr "クラウドからプリントする" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "クラウドからプリントする" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "クラウド経由で接続" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +msgctxt "@action:button" +msgid "Monitor print" +msgstr "プリントをモニタリング" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +msgctxt "@action:tooltip" +msgid "Track the print in Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factoryでプリントを追跡" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "プリントジョブのアップロード時の不明なエラーコード:{0}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "Ultimakerアカウントから新しいプリンターが検出されました" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "アカウントからプリンター{name}({model})を追加しています" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 +#, python-brace-format +msgctxt "info:{0} gets replaced by a number of printers" +msgid "... and {0} other" +msgid_plural "... and {0} others" +msgstr[0] "...および{0}その他" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "Digital Factoryからプリンターが追加されました:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 +msgctxt "info:status" +msgid "A cloud connection is not available for a printer" +msgid_plural "A cloud connection is not available for some printers" +msgstr[0] "一部のプリンターではクラウド接続は利用できません" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "info:status" +msgid "This printer is not linked to the Digital Factory:" +msgid_plural "These printers are not linked to the Digital Factory:" +msgstr[0] "これらのプリンターはDigital Factoryとリンクされていません:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "接続を確立するには、{website_link}にアクセスしてください" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "プリンターの構成を維持" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "プリンターを取り除く" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "{printer_name} will be removed until the next account sync." +msgstr "次回のアカウントの同期までに{printer_name}は削除されます。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "To remove {printer_name} permanently, visit {digital_factory_link}" +msgstr "{printer_name}を完全に削除するには、{digital_factory_link}にアクセスしてください" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "Are you sure you want to remove {printer_name} temporarily?" +msgstr "{printer_name}を一時的に削除してもよろしいですか?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "プリンターを削除しますか?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "グループ #{group_nr}" +msgid "" +"You are about to remove {0} printer from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgid_plural "" +"You are about to remove {0} printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr[0] "" +"Curaから{0}台のプリンターを削除しようとしています。この操作は元に戻せません。\n" +"続行してもよろしいですか?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "アウターウォール" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 +msgctxt "@label" +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr "" +"Curaからすべてのプリンターを削除しようとしています。この操作は元に戻せません。\n" +"続行してもよろしいですか?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "インナーウォール" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "圧縮トライアングルメッシュを開く" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "スキン" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "インフィル" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTFバイナリ" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "サポートイルフィル" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF埋め込みJSON" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "サポートインターフェイス" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "サポート" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "圧縮COLLADA Digital Asset Exchange" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "スカート" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "ハイライトされたエリアは、欠けている表面または無関係な表面を示します。モデルを修正してもう一度Curaを開いてください。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "プライムタワー" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "モデルエラー" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "移動" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "ソリッドビュー" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "退却" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "3Mf ファイルの書き込みエラー。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "他" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "3MFリーダーのプラグインが破損しています。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "リリースノートを開くことができませんでした。" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "次" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "この作業スペースに書き込む権限がありません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "スキップ" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "使用しているオペレーティングシステムでは、この場所またはこのファイル名でプロジェクトファイルを保存することはできません。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "閉める" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MFファイル" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Curaが3MF fileを算出します" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "モニター" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3Dモデルアシスタント" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" @@ -777,1042 +1781,481 @@ msgstr "" "

    可能な限り最高の品質および信頼性を得る方法をご覧ください。

    \n" "

    印字品質ガイドを見る

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." -msgstr "プロジェクトファイル {0} に不明なマシンタイプ {1} があります。マシンをインポートできません。代わりにモデルをインポートします。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +msgctxt "@label" +msgid "Mesh Type" +msgstr "メッシュタイプ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "プロジェクトファイルを開く" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "標準モデル" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "プロジェクトファイル{0}が突然アクセスできなくなりました:{1}。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "サポートとしてプリント" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "プロジェクトファイルを開けません" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "オーバーラップの設定を変更" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "プロジェクトファイル{0}は破損しています:{1}。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "オーバーラップをサポートしない" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tag !" -msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." -msgstr "プロジェクトファイル{0}はこのバージョンのUltimaker Curaでは認識できないプロファイルを使用して作成されています。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "推奨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "カスタム" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF ファイル" +msgid "Infill mesh only" +msgstr "インフィルメッシュのみ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MFリーダーのプラグインが破損しています。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "この作業スペースに書き込む権限がありません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "使用しているオペレーティングシステムでは、この場所またはこのファイル名でプロジェクトファイルを保存することはできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "3Mf ファイルの書き込みエラー。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MFファイル" +msgid "Cutting mesh" +msgstr "メッシュ切断" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Curaが3MF fileを算出します" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF ファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "バックアップ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "バックアップのアップロード中にエラーが発生しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "バックアップを作成しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "バックアップの作成中にエラーが発生しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "バックアップをアップロードしています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "バックアップのアップロードを完了しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "バックアップが最大ファイルサイズを超えています。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "バックアップのリストア中にエラーが発生しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "バックアップを管理する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 -msgctxt "@message" -msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." -msgstr "予期しないエラーが発生し、スライスに失敗しました。問題追跡ツールでのバグ報告をご検討ください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 -msgctxt "@message:title" -msgid "Slicing failed" -msgstr "スライスに失敗しました" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 -msgctxt "@message:button" -msgid "Report a bug" -msgstr "バグを報告" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 -msgctxt "@message:description" -msgid "Report a bug on Ultimaker Cura's issue tracker." -msgstr "Ultimaker Curaの問題追跡ツールでバグを報告してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "選ばれたプリンターまたは選ばれたプリント構成が異なるため進行中の材料にてスライスを完了できません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "スライスできません" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "現在の設定でスライスが完了できません。以下の設定にエラーがあります: {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" -msgstr "モデル別の設定があるためスライスできません。1つまたは複数のモデルで以下の設定にエラーが発生しました:{error_labels}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "プライムタワーまたはプライム位置が無効なためスライスできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "無効な Extruder %s に関連付けられている造形物があるため、スライスできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 -msgctxt "@info:status" -msgid "" -"Please review settings and check if your models:\n" -"- Fit within the build volume\n" -"- Are assigned to an enabled extruder\n" -"- Are not all set as modifier meshes" -msgstr "" -"設定を見直し、モデルが次の状態かどうかを確認してください。\n" -"- 造形サイズに合っている\n" -"- 有効なエクストルーダーに割り当てられている\n" -"- すべてが修飾子メッシュとして設定されているわけではない" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "レイヤーを処理しています" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "インフォメーション" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Curaプロファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "必要なアップデートの情報にアクセスできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 -#, python-brace-format -msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" -msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "お使いの{machine_name}について新機能またはバグ修正が利用できる可能性があります。まだ最新のバージョンでない場合は、プリンターのファームウェアをバージョン{latest_version}に更新することを推奨します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s stable firmware available" -msgstr "%sの新しい安定版ファームウェアが利用可能です" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "How to update" -msgstr "アップデートの仕方" +msgid "Select settings" +msgstr "設定を選択する" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "このモデルをカスタマイズする設定を選択する" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "フィルター..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "すべて表示する" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura バックアップ" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura バージョン" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "プリンタ" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "プロファイル" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "プラグイン" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "詳しく知りたい?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "今すぐバックアップする" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "自動バックアップ" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Cura を起動した日は常にバックアップを自動生成します。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "リストア" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "バックアップの削除" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "このバックアップを削除しますか?これは取り消しできません。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "バックアップのリストア" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "バックアップをリストアする前に Cura を再起動する必要があります。今すぐ Cura を閉じますか?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Cura のバックアップおよび同期を設定します。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "サインイン" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "マイ バックアップ" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "現在バックアップは存在しません。[今すぐバックアップする] を使用して作成してください。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "プレビューではバックアップは5つまでに制限されています。古いバックアップは削除してください。" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "プリンターの設定" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X(幅)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (奥行き)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (高さ)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "ビルドプレート形" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "センターを出します" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "ヒーテッドドベッド" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "加熱式ビルドボリューム" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-codeフレーバー" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "プリントヘッド設定" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X分" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y分" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "最大X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "最大Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "ガントリーの高さ" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "エクストルーダーの数" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "エクストルーダーのオフセットをGCodeに適用します" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-Codeの開始" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-codeの終了" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "ノズル設定" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "ノズルサイズ" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "適合する材料直径" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "ノズルオフセットX" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "ノズルオフセットY" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "冷却ファンの番号" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "エクストルーダーがG-Codeを開始する" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "エクストルーダーがG-Codeを終了する" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "プリンター" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" msgid "Update Firmware" msgstr "ファームウェアアップデート" -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "圧縮G-codeファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter はテキストモードをサポートしていません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-codeファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-codeを解析" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-codeの詳細" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "データファイルを送信する前に、プリンターとプリンターの構成設定にそのG-codeが適応しているか確認してください。G-codeの表示が適切でない場合があります。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Gファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter は非テキストモードはサポートしていません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "エクスポートする前にG-codeの準備をしてください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG画像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG画像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG画像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP画像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF画像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 プロファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "プリンターの設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "モニター" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" -msgid "Per Model Settings" -msgstr "各モデル設定" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "ファームウェアとは直接お持ちの3Dプリンターを動かすソフトウェアです。このファームウェアはステップモーターを操作し、温度を管理し、プリンターとして成すべき点を補います。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "各モデル構成設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "後処理" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-codeを修正" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "準備する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "プレビュー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "リムーバブルドライブに保存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "リムーバブルドライブ{0}に保存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "書き出すために利用可能な形式のファイルがありません!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "リムーバブルドライブ{0}に保存中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "保存中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "{0}を保存できませんでした: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "デバイス{device}に書き出すためのファイル名が見つかりませんでした。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "リムーバブルドライブ{0}に保存することができませんでした: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "リムーバブルドライブ{0}に {1}として保存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "ファイル保存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "取り出す" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "リムーバブルデバイス{0}を取り出す" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0}取り出し完了。デバイスを安全に取り外せます。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "ハードウェアを安全に取り外します" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "{0}取り出し失敗。他のプログラムがデバイスを使用しているため。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "リムーバブルドライブ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Curaはワイヤープリンティングが有効な場合は正確にレイヤーを表示しません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "シミュレーションビュー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "最初にスライスする必要があるため、何も表示されません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "表示するレイヤーがありません" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "今後このメッセージを表示しない" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "レイヤービュー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 -msgctxt "@text" -msgid "Unable to read example data file." -msgstr "サンプルのデータファイルを読み取ることができません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "ハイライトされたエリアは、欠けている表面または無関係な表面を示します。モデルを修正してもう一度Curaを開いてください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "モデルエラー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "ソリッドビュー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" -msgid "Support Blocker" -msgstr "サポートブロッカー" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "配達時のファームウェアで動かすことはできますが、新しいバージョンの方がより改善され、便利なフィーチャーがついてきます。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "サポートが印刷されないボリュームを作成します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "材料パッケージとソフトウェアパッケージをアカウントと同期しますか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Ultimakerアカウントから変更が検出されました" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" -msgid "Sync" -msgstr "同期" +msgid "Automatically upgrade Firmware" +msgstr "自動でファームウェアをアップグレード" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "同期中..." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "カスタムファームウェアをアップロードする" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "拒否する" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "プリンターと接続されていないため、ファームウェアをアップデートできません。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "同意する" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "プリンターとの接続はファームウェアのアップデートをサポートしていないため、ファームウェアをアップデートできません。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "プラグインライセンス同意書" +msgid "Select custom firmware" +msgstr "カスタムファームウェアを選択する" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "拒否してアカウントから削除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "変更を有効にするために{}を終了して再始動する必要があります。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{}プラグインのダウンロードに失敗しました" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "圧縮トライアングルメッシュを開く" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 -msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTFバイナリ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF埋め込みJSON" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "圧縮COLLADA Digital Asset Exchange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimakerフォーマットパッケージ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "UFPファイルに書き込めません:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "ビルドプレートを調整する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "アップグレードを選択する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "クラウドからプリントする" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "クラウドからプリントする" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "クラウド経由で接続" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 -msgctxt "@action:button" -msgid "Monitor print" -msgstr "プリントをモニタリング" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 -msgctxt "@action:tooltip" -msgid "Track the print in Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factoryでプリントを追跡" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "プリントジョブのアップロード時の不明なエラーコード:{0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "Ultimakerアカウントから新しいプリンターが検出されました" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "アカウントからプリンター{name}({model})を追加しています" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 -#, python-brace-format -msgctxt "info:{0} gets replaced by a number of printers" -msgid "... and {0} other" -msgid_plural "... and {0} others" -msgstr[0] "...および{0}その他" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "Digital Factoryからプリンターが追加されました:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 -msgctxt "info:status" -msgid "A cloud connection is not available for a printer" -msgid_plural "A cloud connection is not available for some printers" -msgstr[0] "一部のプリンターではクラウド接続は利用できません" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 -msgctxt "info:status" -msgid "This printer is not linked to the Digital Factory:" -msgid_plural "These printers are not linked to the Digital Factory:" -msgstr[0] "これらのプリンターはDigital Factoryとリンクされていません:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "接続を確立するには、{website_link}にアクセスしてください" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "プリンターの構成を維持" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "プリンターを取り除く" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "{printer_name} will be removed until the next account sync." -msgstr "次回のアカウントの同期までに{printer_name}は削除されます。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "To remove {printer_name} permanently, visit {digital_factory_link}" -msgstr "{printer_name}を完全に削除するには、{digital_factory_link}にアクセスしてください" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "Are you sure you want to remove {printer_name} temporarily?" -msgstr "{printer_name}を一時的に削除してもよろしいですか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" -msgid "Remove printers?" -msgstr "プリンターを削除しますか?" +msgid "Firmware Update" +msgstr "ファームウェアアップデート" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" -msgid "" -"You are about to remove {0} printer from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgid_plural "" -"You are about to remove {0} printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr[0] "" -"Curaから{0}台のプリンターを削除しようとしています。この操作は元に戻せません。\n" -"続行してもよろしいですか?" +msgid "Updating firmware." +msgstr "ファームウェアアップデート中。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" -msgid "" -"You are about to remove all printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr "" -"Curaからすべてのプリンターを削除しようとしています。この操作は元に戻せません。\n" -"続行してもよろしいですか?" +msgid "Firmware update completed." +msgstr "ファームウェアアップデート完了。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "プリンター{printer_name}をクラウド経由で接続できました。\nプリンターをDigital Factoryに接続することで、どこからでもプリントキューの管理とプリントのモニタリングを行えます。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "クラウドプリンティングの準備はできていますか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "はじめに" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "詳しく見る" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Ultimaker Connectを実行していないプリンターに接続しようとしています。プリンターを最新のファームウェアに更新してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "プリンターの更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Curaはグループ{0}のホストプリンターにまだインストールされていない材料プロフィールを検出しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "プリンターに材料を送信しています" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "{0}に接続を試みていますが、これはグループのホストではありません。グループホストとして設定するには、ウェブページを参照してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "グループホストではありません" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "グループの設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "現在のジョブが送信されるまで待機してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "印刷エラー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "データをプリンタにアップロードできませんでした。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "ネットワークエラー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "印刷ジョブ送信中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "プリントジョブをプリンターにアップロードしています。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "プリントジョブのキューがいっぱいです。プリンターは新しいジョブを処理できません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "キューがいっぱい" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "プリントジョブは正常にプリンターに送信されました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "データを送信しました" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "ネットワーク上のプリント" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "ネットワークのプリント" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "ネットワーク上で接続" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "ネットワーク上にて接続" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "翌日" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "本日" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USBプリンティング" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "USBを使ってプリントする" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "USBを使ってプリントする" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "USBにて接続する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "USBプリントを実行しています。Cura を閉じるとこのプリントも停止します。実行しますか?" +msgid "Firmware update failed due to an unknown error." +msgstr "不特定なエラーの発生によりファームウェアアップデート失敗しました。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "現在印刷中です。Curaは、前の印刷が完了するまでUSBを介した次の印刷を開始できません。" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "コミュニケーションエラーによりファームウェアアップデート失敗しました。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "現在印刷中" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "インプット/アウトプットエラーによりファームウェアアップデート失敗しました。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3Dファイル" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "ファームウェアが見つからず、ファームウェアアップデート失敗しました。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "透視ビューイング" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "このプリントの何かが問題です。クリックして調整のヒントをご覧ください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "プロジェクトを開く" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "既存を更新する" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "新しいものを作成する" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "サマリーCuraプロジェクト" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "プリンターの設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "このプリンターの問題をどのように解決すればいいか?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "タイプ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "プリンターグループ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "プロファイル設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "このプロファイルの問題をどのように解決すればいいか?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "ネーム" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "プロファイル内にない" # Can’t edit the Japanese text -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1個の設定を上書き" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "次から引き出す" @@ -1820,490 +2263,1051 @@ msgstr "次から引き出す" # can’t inset the japanese text # %1: print quality profile name # %2: number of overridden ssettings -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%2の%1個の設定を上書き" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "フィラメント設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "このフィラメントの問題をどのように解決すればいいか?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "視野設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "モード" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "ビジブル設定:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%2のうち%1" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "プロジェクトを読み込むとビルドプレート上のすべてのモデルがクリアされます。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "開く" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "詳しく知りたい?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "今すぐバックアップする" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "自動バックアップ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Cura を起動した日は常にバックアップを自動生成します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "リストア" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "バックアップの削除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "このバックアップを削除しますか?これは取り消しできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "バックアップのリストア" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "バックアップをリストアする前に Cura を再起動する必要があります。今すぐ Cura を閉じますか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura バージョン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "プリンタ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "プロファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "プラグイン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura バックアップ" +msgid "Post Processing Plugin" +msgstr "プラグイン処理後" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "マイ バックアップ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "現在バックアップは存在しません。[今すぐバックアップする] を使用して作成してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "プレビューではバックアップは5つまでに制限されています。古いバックアップは削除してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Cura のバックアップおよび同期を設定します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "サインイン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "ファームウェアアップデート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "ファームウェアとは直接お持ちの3Dプリンターを動かすソフトウェアです。このファームウェアはステップモーターを操作し、温度を管理し、プリンターとして成すべき点を補います。" +msgid "Post Processing Scripts" +msgstr "スクリプトの処理後" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "スクリプトを加える" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "配達時のファームウェアで動かすことはできますが、新しいバージョンの方がより改善され、便利なフィーチャーがついてきます。" +msgid "Settings" +msgstr "設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "自動でファームウェアをアップグレード" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "処理したアクティブなスクリプトを変更します。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "カスタムファームウェアをアップロードする" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "次のスクリプトがアクティブです:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "プリンターと接続されていないため、ファームウェアをアップデートできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "プリンターとの接続はファームウェアのアップデートをサポートしていないため、ファームウェアをアップデートできません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "カスタムファームウェアを選択する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "ファームウェアアップデート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "ファームウェアアップデート中。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "ファームウェアアップデート完了。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "不特定なエラーの発生によりファームウェアアップデート失敗しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "コミュニケーションエラーによりファームウェアアップデート失敗しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "インプット/アウトプットエラーによりファームウェアアップデート失敗しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "ファームウェアが見つからず、ファームウェアアップデート失敗しました。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "画像を変換する..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "“ベース”から各ピクセルへの最大距離。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "高さ(mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "ミリメートルでビルドプレートからベースの高さ。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "ベース(mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "ビルドプレート上の幅ミリメートル。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "幅(mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "ビルドプレート上の奥行きミリメートル" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "深さ(mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "リトフェインの場合、暗いピクセルは、より多くの光を通すために厚い場所に対応する必要があります。高さマップの場合、明るいピクセルは高い地形を表しているため、明るいピクセルは生成された3D モデルの厚い位置に対応する必要があります。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "暗いほうを高く" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "薄いほうを高く" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "リトフェインの場合、半透明性を示す単純な対数モデルを利用できます。高さマップの場合、ピクセル値は高さに比例します。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "線形" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "半透明性" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "厚さ1ミリメートルのプリントを貫通する光の割合。この値を小さくすると、画像の暗い領域ではコントラストが増し、明るい領域ではコントラストが減少します。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1mm透過率(%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "画像に適応したスムージング量。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "スムージング" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "このUltimaker Originalに施されたアップグレートを選択する" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "ヒーティッドビルドプレート(オフィシャルキットまたはセルフビルド)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "ビルドプレートのレベリング" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "プリントの成功率を上げるために、ビルドプレートを今調整できます。’次のポジションに移動’をクリックすると。" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "すべてのポジションに。" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "ビルドプレートのレベリングを開始する" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "次のポジションに移動" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "匿名データの収集に関する詳細" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura は、印刷品質とユーザーエクスペリエンスを向上させるために匿名データを収集します。以下は、共有されるすべてのデータの例です:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "匿名データは送信しない" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "匿名データの送信を許可する" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "マーケットプレース" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "パッケージへの変更を有効にするためにCuraを再起動する必要があります。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "%1を終了する" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "インストール" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "インストールした" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "プレミアム" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "ウェブマーケットプレイスに移動" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "材料を検索" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "互換性" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" msgstr "プリンター" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "ノズル設定" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "ビルドプレート" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "サポート" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "品質" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "技術データシート" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "安全データシート" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "印刷ガイドライン" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "ウェブサイト" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "インストールまたはアップデートにはログインが必要です" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "材料スプールの購入" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "アップデート" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "更新中" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "更新済み" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "戻る" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "プラグイン" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "マテリアル" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "インストールした" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "ノズルサイズ" +msgid "Will install upon restarting" +msgstr "再起動時にインストール" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "アップデートにはログインが必要です" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "ダウングレード" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "アンインストール" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "地域貢献" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "適合する材料直径" +msgid "Community Plugins" +msgstr "コミュニティプラグイン" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "ノズルオフセットX" +msgid "Generic Materials" +msgstr "汎用材料" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "パッケージ取得中..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "ノズルオフセットY" +msgid "Website" +msgstr "ウェブサイト" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "冷却ファンの番号" +msgid "Email" +msgstr "電子メール" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "エクストルーダーがG-Codeを開始する" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "検証済みのUltimaker Cura Enterprise用プラグインおよび材料を入手するにはサインインしてください。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "エクストルーダーがG-Codeを終了する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "プリンターの設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X(幅)" +msgid "Version" +msgstr "バージョン" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (奥行き)" +msgid "Last updated" +msgstr "最終更新日" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (高さ)" +msgid "Brand" +msgstr "ブランド" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "ビルドプレート形" +msgid "Downloads" +msgstr "ダウンロード" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "インストールされたプラグイン" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "プラグインはインストールされていません。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "インストールされた材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "材料はインストールされていません。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "バンドルされたプラグイン" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "バンドルされた材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Curaパッケージデータベースに接続できません。接続を確認してください。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "センターを出します" +msgid "You need to accept the license to install the package" +msgstr "パッケージをインストールするにはライセンスに同意する必要があります" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "アカウントにおける変更" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "無視" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "次" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "ヒーテッドドベッド" +msgid "The following packages will be added:" +msgstr "次のパッケージが追加されます:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "加熱式ビルドボリューム" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "次のパッケージは、Curaバージョンに互換性がないため、インストールできません:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "アンインストール確認" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "使用中の材料またはプロファイルをアンインストールしようとしています。確定すると以下の材料/プロファイルをデフォルトにリセットします。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "プロファイル" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "確認" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "G-codeフレーバー" +msgid "Color scheme" +msgstr "カラースキーム" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "プリントヘッド設定" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "フィラメントの色" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "ラインタイプ" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "スピード" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "レイヤーの厚さ" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "ライン幅" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "フロー" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X分" +msgid "Compatibility Mode" +msgstr "コンパティビリティモード" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y分" +msgid "Travels" +msgstr "移動" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "最大X" +msgid "Helpers" +msgstr "ヘルプ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "最大Y" +msgid "Shell" +msgstr "外郭" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "ガントリーの高さ" +msgid "Infill" +msgstr "インフィル" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "エクストルーダーの数" +msgid "Starts" +msgstr "開始" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "エクストルーダーのオフセットをGCodeに適用します" +msgid "Only Show Top Layers" +msgstr "トップのレイヤーを表示する" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-Codeの開始" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "トップの5レイヤーの詳細を表示する" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-codeの終了" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "トップ/ボトム" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "インナーウォール" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "最小" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "最大" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "プリンター管理" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "ガラス" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "キューをリモートで管理するには、プリンターのファームウェアを更新してください。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "クラウドプリンターのウェブカムフィードをUltimaker Curaから見ることができません。「プリンター管理」をクリックして、Ultimaker Digital Factoryにアクセスし、このウェブカムを見ます。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "読み込み中..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "利用不可" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "到達不能" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "アイドル" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "準備中..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "プリント中" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "無題" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "匿名" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "構成の変更が必要です" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "詳細" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "利用できないプリンター" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "次の空き" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "順番を待つ" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "ブラウザで管理する" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "キューに印刷ジョブがありません。追加するには、スライスしてジョブを送信します。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "プリントジョブ" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "合計印刷時間" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "待ち時間" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "ネットワーク上のプリント" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "プリント" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "プリンターの選択" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "構成の変更" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "上書き" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "割り当てられたプリンター %1 には以下の構成変更が必要です:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "プリンター %1 が割り当てられましたが、ジョブには不明な材料構成があります。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "材料 %1 を %2 から %3 に変更します。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3 を 材料 %1 にロードします(これは上書きできません)。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "プリントコア %1 を %2 から %3 に変更します。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "ビルドプレートを %1 に変更します(これは上書きできません)。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "上書きは、既存のプリンタ構成で指定された設定を使用します。これにより、印刷が失敗する場合があります。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "アルミニウム" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "終了" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "中止しています..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "中止しました" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "一時停止しています..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "一時停止" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "再開しています..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "アクションが必要です" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "%1 を %2 に終了します" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "ネットワーク上で繋がったプリンターに接続" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "印刷ジョブをネットワークを介してプリンターに直接送信するには、ネットワークケーブルを使用してプリンターを確実にネットワークに接続するか、プリンターを WIFI ネットワークに接続します。Cura をプリンタに接続していない場合でも、USB ドライブを使用して g コードファイルをプリンターに転送することはできます。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "以下のリストからプリンタを選択します:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "編集" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "取り除く" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "お持ちのプリンターがリストにない場合、ネットワーク・プリンティング・トラブルシューティング・ガイドを読んでください" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "タイプ" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "ファームウェアバージョン" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "アドレス" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "このプリンターは、プリンターのグループをホストするために設定されていません。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "このプリンターは %1 プリンターのループのホストプリンターです。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "このアドレスのプリンターは応答していません。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "接続" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "無効なIPアドレス" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "有効なIPアドレスを入力してください。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "プリンターアドレス" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "ネットワーク内のプリンターのIPアドレスを入力してください。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "最上位に移動" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "削除" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "再開" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "一時停止しています..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "再開しています..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "一時停止" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "中止しています..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "中止" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "%1 をキューの最上位に移動しますか?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "印刷ジョブを最上位に移動する" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "%1 を削除しますか?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "印刷ジョブの削除" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "%1 を中止してよろしいですか?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "プリント中止" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2315,1669 +3319,639 @@ msgstr "" "- プリンタの電源が入っているか確認します。\n" "- プリンタがネットワークに接続されているかどうかを確認します。- クラウドに接続されたプリンタを検出するためにサインインしているかどうかを確認します。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "プリンターをネットワークに接続してください。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "ユーザーマニュアルをオンラインで見る" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Cura から印刷を監視するには、プリンタを接続してください。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "メッシュタイプ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "標準モデル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "サポートとしてプリント" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "オーバーラップの設定を変更" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "オーバーラップをサポートしない" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "インフィルメッシュのみ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "メッシュ切断" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "設定を選択する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "このモデルをカスタマイズする設定を選択する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "フィルター..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "すべて表示する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "プラグイン処理後" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "スクリプトの処理後" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "スクリプトを加える" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "処理したアクティブなスクリプトを変更します。" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "このプリントの何かが問題です。クリックして調整のヒントをご覧ください。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "次のスクリプトがアクティブです:" +msgid "3D View" +msgstr "3Dビュー" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "カラースキーム" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "フィラメントの色" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "ラインタイプ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "スピード" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "レイヤーの厚さ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "ライン幅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "フロー" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "コンパティビリティモード" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "移動" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "ヘルプ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "外郭" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "インフィル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "開始" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "トップのレイヤーを表示する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "トップの5レイヤーの詳細を表示する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "トップ/ボトム" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "インナーウォール" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "最小" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "最大" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "匿名データの収集に関する詳細" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura は、印刷品質とユーザーエクスペリエンスを向上させるために匿名データを収集します。以下は、共有されるすべてのデータの例です:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "匿名データは送信しない" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "匿名データの送信を許可する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "戻る" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "互換性" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "プリンター" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "ビルドプレート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "サポート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "品質" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "技術データシート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "安全データシート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "印刷ガイドライン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "ウェブサイト" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "インストールした" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "インストールまたはアップデートにはログインが必要です" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "材料スプールの購入" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "アップデート" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "更新中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "更新済み" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "プレミアム" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "ウェブマーケットプレイスに移動" +msgid "Front View" +msgstr "フロントビュー" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "トップビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "左ビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "右ビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "材料を検索" +msgid "Object list" +msgstr "オブジェクトリスト" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "パッケージへの変更を有効にするためにCuraを再起動する必要があります。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1を終了する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "プラグイン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "マテリアル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "インストールした" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "再起動時にインストール" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "アップデートにはログインが必要です" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "ダウングレード" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "アンインストール" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "インストール" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "アカウントにおける変更" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "無視" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "次" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "次のパッケージが追加されます:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "次のパッケージは、Curaバージョンに互換性がないため、インストールできません:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "アンインストール確認" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "使用中の材料またはプロファイルをアンインストールしようとしています。確定すると以下の材料/プロファイルをデフォルトにリセットします。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "プロファイル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "確認" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "パッケージをインストールするにはライセンスに同意する必要があります" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "ウェブサイト" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "電子メール" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "バージョン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "最終更新日" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "ブランド" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "ダウンロード" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "地域貢献" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "コミュニティプラグイン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "汎用材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Curaパッケージデータベースに接続できません。接続を確認してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "インストールされたプラグイン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "プラグインはインストールされていません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "インストールされた材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "材料はインストールされていません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "バンドルされたプラグイン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "バンドルされた材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "パッケージ取得中..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "検証済みのUltimaker Cura Enterprise用プラグインおよび材料を入手するにはサインインしてください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "マーケットプレース" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "ビルドプレートのレベリング" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&ファイル" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "プリントの成功率を上げるために、ビルドプレートを今調整できます。’次のポジションに移動’をクリックすると。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&編集" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "すべてのポジションに。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&ビュー" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "ビルドプレートのレベリングを開始する" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "次のポジションに移動" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "拡張子" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "このUltimaker Originalに施されたアップグレートを選択する" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "プレファレンス" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "ヒーティッドビルドプレート(オフィシャルキットまたはセルフビルド)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "ヘルプ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "ネットワーク上で繋がったプリンターに接続" +msgid "New project" +msgstr "新しいプロジェクト" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "印刷ジョブをネットワークを介してプリンターに直接送信するには、ネットワークケーブルを使用してプリンターを確実にネットワークに接続するか、プリンターを WIFI ネットワークに接続します。Cura をプリンタに接続していない場合でも、USB ドライブを使用して g コードファイルをプリンターに転送することはできます。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "新しいプロジェクトを開始しますか?この作業では保存していない設定やビルドプレートをクリアします。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "以下のリストからプリンタを選択します:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "編集" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "取り除く" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "お持ちのプリンターがリストにない場合、ネットワーク・プリンティング・トラブルシューティング・ガイドを読んでください" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "タイプ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "ファームウェアバージョン" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "アドレス" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "このプリンターは、プリンターのグループをホストするために設定されていません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "このプリンターは %1 プリンターのループのホストプリンターです。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "このアドレスのプリンターは応答していません。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "接続" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "無効なIPアドレス" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "有効なIPアドレスを入力してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "プリンターアドレス" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "ネットワーク内のプリンターのIPアドレスを入力してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "構成の変更" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "上書き" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "割り当てられたプリンター %1 には以下の構成変更が必要です:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "プリンター %1 が割り当てられましたが、ジョブには不明な材料構成があります。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "材料 %1 を %2 から %3 に変更します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "%3 を 材料 %1 にロードします(これは上書きできません)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "プリントコア %1 を %2 から %3 に変更します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "ビルドプレートを %1 に変更します(これは上書きできません)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "上書きは、既存のプリンタ構成で指定された設定を使用します。これにより、印刷が失敗する場合があります。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "ガラス" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "アルミニウム" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "最上位に移動" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "削除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "再開" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "一時停止しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "再開しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "一時停止" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "中止しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "中止" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "%1 をキューの最上位に移動しますか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "印刷ジョブを最上位に移動する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "%1 を削除しますか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "印刷ジョブの削除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "%1 を中止してよろしいですか?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "プリント中止" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "プリンター管理" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "キューをリモートで管理するには、プリンターのファームウェアを更新してください。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "クラウドプリンターのウェブカムフィードをUltimaker Curaから見ることができません。「プリンター管理」をクリックして、Ultimaker Digital Factoryにアクセスし、このウェブカムを見ます。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "読み込み中..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "利用不可" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "到達不能" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "アイドル" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "準備中..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "プリント中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "無題" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "匿名" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "構成の変更が必要です" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "詳細" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "利用できないプリンター" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "次の空き" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "中止しました" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "終了" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "中止しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "一時停止しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "一時停止" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "再開しています..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "アクションが必要です" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "%1 を %2 に終了します" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "順番を待つ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "ブラウザで管理する" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "キューに印刷ジョブがありません。追加するには、スライスしてジョブを送信します。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "プリントジョブ" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "合計印刷時間" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "待ち時間" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "ネットワーク上のプリント" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "プリント" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "プリンターの選択" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "サインイン" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Ultimakerのプラットフォームにサインイン" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- マーケットプレースから材料プロファイルとプラグインを追加\n" -"- 材料プロファイルとプラグインのバックアップと同期\n" -"- Ultimakerコミュニティで48,000人以上のユーザーとアイデアを共有してアドバイスをもらう" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "無料のUltimakerアカウントを作成" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "確認しています..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "アカウント同期" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "問題が発生しました..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "保留中の更新をインストール" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "アカウントの更新を確認" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "最終更新:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimakerアカウント" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "サインアウト" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "時間予測がありません" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "コスト予測がありません" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "プレビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "時間予測" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "材料予測" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "スライス中..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "スライスできません" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "処理" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "スライス" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "スライス処理の開始" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "キャンセル" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "オンラインでトラブルシューティングガイドを表示する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "留め金 フルスクリーン" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "全画面表示を終了する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&取り消す" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&やりなおす" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&やめる" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3Dビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "フロントビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "トップビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "底面図" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "左サイドビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "右サイドビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Curaを構成する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&プリンターを追加する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "プリンターを管理する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "フィラメントを管理する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "マーケットプレイスから材料を追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&現在の設定/無効にプロファイルをアップデートする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&変更を破棄する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&今の設定/無効からプロファイルを作成する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "プロファイルを管理する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "オンラインドキュメントを表示する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "報告&バグ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "新情報" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "アバウト..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "選択内容を削除" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "選択内容を中央に移動" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "選択内容を増倍" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "モデルを消去する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "プラットホームの中心にモデルを配置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&モデルグループ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "モデルを非グループ化" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "モ&デルの合体" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&モデルを増倍する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "すべてのモデル選択" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "ビルドプレート上のクリア" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "すべてのモデルを読み込む" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "すべてのモデルをすべてのビルドプレートに配置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "すべてのモデルをアレンジする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "選択をアレンジする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "すべてのモデルのポジションをリセットする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "すべてのモデル&変更点をリセットする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&ファイルを開く(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&新しいプロジェクト..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "コンフィグレーションのフォルダーを表示する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "視野のセッティングを構成する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&マーケットプレース" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "マイプリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Ultimaker Digital Factoryでプリンターをモニタリングします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Digital Libraryでプリントプロジェクトを作成します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "プリントジョブ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "プリントジョブをモニタリングしてプリント履歴から再プリントします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Ultimaker Curaをプラグインと材料プロファイルで拡張します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Ultimaker eラーニングで3Dプリンティングのエキスパートになります。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ultimakerのサポート" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Ultimaker Curaの使用を開始する方法を確認します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "質問をする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Ultimaker Communityをご参照ください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "バグを報告" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "問題が発生していることを開発者にお知らせください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Ultimakerウェブサイトをご確認ください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "このパッケージは再起動後にインストールされます。" +msgid "Time estimation" +msgstr "時間予測" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "一般" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "材料予測" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "設定" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "プリンター" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "プロファイル" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "時間予測がありません" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1を閉じています" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "コスト予測がありません" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "%1を終了しますか?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "プレビュー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "ファイルを開く" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "プリンターの追加" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "パッケージをインストール" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "ネットワークプリンターの追加" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "ファイルを開く(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "非ネットワークプリンターの追加" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "選択したファイルの中に複数のG-codeが存在します。1つのG-codeのみ一度に開けます。G-codeファイルを開く場合は、1点のみ選んでください。" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "クラウドプリンターを追加" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "プリンターを追加する" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "クラウドの応答を待機しています" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "アカウントにプリンターが見つかりませんか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "アカウントの以下のプリンターがCuraに追加されました。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "プリンタを手動で追加する" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "IP アドレスでプリンターを追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "プリンターのIPアドレスを入力します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "デバイスに接続できません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Ultimakerプリンターに接続できませんか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "このアドレスのプリンターは応答していません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "このプリンタは不明なプリンタであるか、またはグループのホストではないため、追加できません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "戻る" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "接続" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "ユーザー用使用許諾契約" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "拒否して閉じる" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Ultimaker Cura にようこそ" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"以下の手順で\n" +"Ultimaker Cura を設定してください。数秒で完了します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "はじめに" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Ultimakerのプラットフォームにサインイン" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "マーケットプレイスから材料設定とプラグインを追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "材料設定とプラグインのバックアップと同期" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Ultimakerコミュニティで48,000人以上のユーザーとアイデアを共有してアドバイスをもらう" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "スキップ" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "無料のUltimakerアカウントを作成" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "製造元" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "プロファイル作成者" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "プリンター名" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "プリンターに名前を付けてください" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "ネットワークにプリンターはありません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "IP でプリンターを追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "クラウドプリンターを追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "トラブルシューティング" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Ultimaker Cura の改善にご協力ください" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura は、印刷品質とユーザーエクスペリエンスを向上させるために以下の匿名データを収集します:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "プリンターのタイプ" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "材料の利用状況" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "スライスの数" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "プリント設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Ultimaker Cura が収集したデータには個人データは含まれません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "詳細" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "新情報" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "空にする" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "リリースノート" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "%1について" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "バージョン: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "熱溶解積層型3Dプリンティングのエンドtoエンドソリューション。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" "Cura proudly uses the following open source projects:" msgstr "CuraはUltimakerB.Vのコミュニティの協力によって開発され、Curaはオープンソースで使えることを誇りに思います:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "グラフィックユーザーインターフェイス" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "アプリケーションフレームワーク" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-codeの生成" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "インタープロセスコミュニケーションライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "プログラミング用語" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUIフレームワーク" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUIフレームワークバインディング" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C++ バインディングライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "データインターフェイスフォーマット" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "サイエンスコンピューティングを操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "ファターマスを操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "STLファイルを操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "平面対象物を操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "参画メッシュを操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "3MFファイルを操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "ファイルメタデータとストリーミングのためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "シリアルコミュニケーションライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConfディスカバリーライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "ポリゴンクリッピングライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Python用の静的型チェッカー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "SSLの信頼性を検証するためのルート証明書" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Pythonエラー追跡ライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Prusa Research開発のポリゴンパッキングライブラリー" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "libnest2dのPythonバインディング" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "システムキーリングアクセスを操作するためのライブラリーサポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Microsoft Windows用のPython拡張機能" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "フォント" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVGアイコン" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux 分散アプリケーションの開発" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "プロジェクトを開く" +msgid "Open file(s)" +msgstr "ファイルを開く" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "これはCuraのプロジェクトファイルです。プロジェクトとしてあけますか、それともモデルのみ取り込みますか?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "選択したファイルの中に複数のプロジェクトが存在します。1ファイルのみ一度に開けます。ファイルからモデルを先に取り込むことをお勧めします。続けますか?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "選択を記憶させる" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "プロジェクトを開く" +msgid "Import all as models" +msgstr "すべてをモデルとして取り入れる" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "プロジェクトを保存" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "エクストルーダー%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1とフィラメント" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "保存中のプロジェクトサマリーを非表示にする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "モデルを取り込む" +msgid "Save" +msgstr "保存" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "変更を取り消すか保存するか" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3988,1250 +3962,144 @@ msgstr "" "これらの変更された設定をプロファイルの切り替え後も維持しますか?\n" "変更を破棄して'%1'からデフォルトの設定を読み込むこともできます。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "プロファイル設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "現在の変更" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "毎回確認する" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "取り消し、再度確認しない" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "キープし、再度確認しない" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "変更を破棄" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "変更を維持" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "プロジェクトを開く" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "選択したファイルの中に複数のプロジェクトが存在します。1ファイルのみ一度に開けます。ファイルからモデルを先に取り込むことをお勧めします。続けますか?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "これはCuraのプロジェクトファイルです。プロジェクトとしてあけますか、それともモデルのみ取り込みますか?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "選択を記憶させる" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "すべてをモデルとして取り入れる" +msgid "Open as project" +msgstr "プロジェクトを開く" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "プロジェクトを保存" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "エクストルーダー%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1とフィラメント" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "保存中のプロジェクトサマリーを非表示にする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "保存" +msgid "Import models" +msgstr "モデルを取り込む" -# can’t enter japanese -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "選択したモデルを%1で印刷する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "無題" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&ファイル" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&編集" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&ビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "拡張子" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "プレファレンス" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "ヘルプ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "新しいプロジェクト" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "新しいプロジェクトを開始しますか?この作業では保存していない設定やビルドプレートをクリアします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "マーケットプレース" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "構成" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "%1 が認識されていないためこの構成は利用できません。%2 から適切な材料プロファイルをダウンロードしてください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "マーケットプレース" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "プリンタから利用可能な構成を読み込んでいます..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "プリンタが接続されていないため、構成は利用できません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "構成の選択" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "構成" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "カスタム" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "プリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "有効" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "フィラメント" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "この材料の組み合わせの接着に接着材を使用する。" - -# can’t enter japanese texts -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "選択したモデルで印刷:" - -# can’t eneter japanese texts -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "選択した複数のモデル" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "コピーの数" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "プロジェクトを保存... (&S)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "エクスポート... (&E)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "選択エクスポート..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "お気に入り" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "汎用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "ファイルを開く..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "ネットワーク対応プリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "ローカルプリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "最近開いたファイルを開く" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "プロジェクトを保存..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&プリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&フィラメント" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "アクティブエクストルーダーとしてセットする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "エクストルーダーを有効にする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "エクストルーダーを無効にする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "ビジブル設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "すべてのカテゴリを折りたたむ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "視野のセッティングを管理する..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "カメラ位置 (&C)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "カメラビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "パースペクティブ表示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "平行投影表示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "ビルドプレート (&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "プリンターにつながっていません" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "今プリンタはコマンドを処理できません" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "メンテナンス。プリンターをチェックしてください" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "プリンターへの接続が切断されました" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "プリント中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "一時停止しました" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "準備中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "造形物を取り出してください" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "プリント中止" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "本当にプリントを中止してもいいですか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "サポートとしてプリントされます。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "このモデルに重なる他のモデルは修正されます。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "このモデルとのインフィル交差は修正されます。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "このモデルとの重なりはサポートされません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "%1個の設定を上書きします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "オブジェクトリスト" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "インターフェイス" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "通貨:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "テーマ:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "それらの変更を有効にするためにはアプリケーションを再起動しなけらばなりません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "セッティングを変更すると自動にスライスします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "自動的にスライスする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "ビューポイント機能" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "赤でサポートができないエリアをハイライトしてください。サポートがない場合、正確にプリントができない場合があります。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "ディスプレイオーバーハング" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "モデルの欠けている部分または不要な表面部分を、警告マークを使用してハイライトします。ツールパスは意図したジオメトリの欠けている部分になることが多くあります。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "モデルエラーを表示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "モデルの選択時にモデルがカメラの中心に見えるようにカメラを移動する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "アイテムを選択するとカメラが中心にきます" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Curaのデフォルトのズーム機能は変更できるべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "カメラのズーム方向を反転する。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "ズームはマウスの方向に動くべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "マウスに対するズームは、正射投影ではサポートされていません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "マウスの方向にズームする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "交差を避けるためにプラットホーム上のモデルを移動するべきですか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "モデルの距離が離れているように確認する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "プラットホーム上のモデルはブルドプレートに触れるように下げるべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "自動的にモデルをビルドプレートに落とす" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "G-codeリーダーに注意メッセージを表示します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-codeリーダーに注意メッセージ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "レイヤーはコンパティビリティモードに強制されるべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "レイヤービューコンパティビリティモードを強制する。(再起動が必要)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Curaを終了した場所で開くようにしますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "開始時にウィンドウの位置を復元" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "どのような種類のカメラレンダリングを使用する必要がありますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "カメラレンダリング:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "パースペクティブ表示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "平行投影表示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "ファイルを開くまた保存" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "デスクトップまたは外部アプリケーションから開いたファイルをCuraの同じインスタンスで開く必要がありますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Curaの単一インスタンスを使用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Curaの単一インスタンスに新しいモデルをロードする前に、ビルドプレートをクリアする必要はありますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "モデルを単一のインスタンスにロードする前にビルドプレートをクリア" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "モデルがビルドボリュームに対して大きすぎる場合はスケールされるべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "大きなモデルをスケールする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "ユニット値がミリメートルではなくメートルの場合、モデルが極端に小さく現れる場合があります。モデルはスケールアップされるべきですか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "極端に小さなモデルをスケールアップする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "モデルはロード後に選択しますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "ロード後にモデルを選択" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "プリンター名の敬称はプリントジョブの名前に自動的に加えられるべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "プリンターの敬称をジョブネームに加える" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "プロジェクトファイルを保存時にサマリーを表示するべきか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "プロジェクトを保存時にダイアログサマリーを表示する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "プロジェクトファイルを開く際のデフォルト機能" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "プロジェクトファイル開く際のデフォルト機能: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "毎回確認する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "常にプロジェクトとして開く" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "常にモデルを取り込む" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "プロファイル内を変更し異なるプロファイルにしました、どこの変更点を保持、破棄したいのダイアログが表示されます、また何度もダイアログが表示されないようにデフォルト機能を選ぶことができます。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "プロファイル" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "プロファイル交換時に設定値を変更するためのデフォルト処理: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "常に変更した設定を廃棄する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "常に変更した設定を新しいプロファイルに送信する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "プライバシー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "プリンターの不明なデータをUltimakerにおくりますか?メモ、モデル、IPアドレス、個人的な情報は送信されたり保存されたりはしません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(不特定な) プリントインフォメーションを送信" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "詳細" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "アップデート" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Curaのプログラム開始時にアップデートがあるかチェックしますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "スタート時にアップデートあるかどうかのチェック" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "アップデートを確認する際に、安定版リリースのみを確認します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "安定版リリースのみ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "アップデートを確認する際に、安定版とベータ版の両方のリリースを確認します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "安定版およびベータ版リリース" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Curaの起動時に毎回、新しいプラグインの自動チェックを行う場合は、この機能を無効にしないことを強くお勧めします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "プラグインのアップデートを通知" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "アクティベート" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "名を変える" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "作成する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "複製" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "取り込む" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "書き出す" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "プリンターと同期する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "プリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "モデルを取り除きました" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "%1を取り外しますか?この作業はやり直しが効きません!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "フィラメントを取り込む" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "%1フィラメントを取り込むことができない: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "フィラメント%1の取り込みに成功しました" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "フィラメントを書き出す" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "フィラメントの書き出しに失敗しました %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "フィラメントの%1への書き出しが完了ました" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "すべての材料を書き出す" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "インフォメーション" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "直径変更の確認" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "新しいフィラメントの直径は %1 mm に設定されています。これは現在のエクストルーダーに適応していません。続行しますか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "ディスプレイ名" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "フィラメントタイプ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "色" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "プロパティ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "密度" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "直径" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "フィラメントコスト" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "フィラメントの重さ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "フィラメントの長さ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "毎メーターコスト" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "このフィラメントは %1にリンクすプロパティーを共有する。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "フィラメントをリンクを外す" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "記述" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "接着のインフォメーション" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "プリント設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "作成する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "複製" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "プロファイルを作る" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "このプロファイルの名前を指定してください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "プロファイルを複製する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "プロファイル名を変える" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "プロファイルを取り込む" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "プロファイルを書き出す" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "プリンター:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "プロファイルを現在のセッティング" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "今の変更を破棄する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "このプロファイルはプリンターによりデフォルトを使用、従いこのプロファイルはセッティング/書き換えが以下のリストにありません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "設定は選択したプロファイルにマッチしています。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "グローバル設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "計算された" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "プロファイル" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "現在" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "ユニット" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "視野設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "全てを調べる" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "エクストルーダー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "ホットエンドの目標温度。ホットエンドはこの温度に向けて上がったり下がったりします。これが0の場合、ホットエンドの加熱はオフになっています。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "このホットエンドの現在の温度です。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "ホットエンドをプリヒートする温度です。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "キャンセル" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "プレヒート" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "プリント開始前にホットエンドを加熱します。加熱中もプリントの調整を行えます、またホットエンドが加熱するまでプリント開始を待つ必要もありません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "エクストルーダーのマテリアルの色。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "エクストルーダー入ったフィラメント。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "ノズルが入ったエクストルーダー。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "ビルドプレート" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "ヒーティッドベッドの目標温度。ベッドはこの温度に向けて上がったり下がったりします。これが0の場合、ベッドの加熱はオフになっています。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "現在のヒーティッドベッドの温度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "ベッドのプリヒート温度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "プリント開始前にベッドを加熱します。加熱中もプリントの調整を行えます、またべットが加熱するまでプリント開始を待つ必要もありません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "プリンターコントロール" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "ジョグの位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "ジョグの距離" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "G-codeの送信" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "カスタムG-codeコマンドを接続されているプリンターに送信します。「Enter」を押してコマンドを送信します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "このプリンターはつながっていません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "クラウドプリンターがオフラインです。プリンターの電源が入っている状態で、インターネットに接続されているかどうかを確認してください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "このプリンターはお使いのアカウントにリンクされていません。Ultimaker Digital Factoryにアクセスして接続を確立してください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "クラウド接続は現在利用できません。サインインしてクラウドプリンターに接続してください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "クラウド接続は現在利用できません。インターネット接続を確認してください。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "プリンターの追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "プリンター管理" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "キャンセルしたプリンター" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "プリンターのプリセット" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "プリントをアクティベートする" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "ジョブネーム" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "プリント時間" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "残り時間" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "クラウドプリンターがオフラインです。プリンターの電源が入っている状態で、インターネットに接続されているかどうかを確認してください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "このプリンターはお使いのアカウントにリンクされていません。Ultimaker Digital Factoryにアクセスして接続を確立してください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "クラウド接続は現在利用できません。サインインしてクラウドプリンターに接続してください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "クラウド接続は現在利用できません。インターネット接続を確認してください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "プリンターの追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "プリンター管理" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "キャンセルしたプリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "プリンターのプリセット" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "プリント設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "印刷設定は無効にされました。G-code ファイルは変更できません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "プロファイル" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5241,118 +4109,1701 @@ msgstr "" "いくらかの設定プロファイルにある値とことなる場合無効にします。\n" "プロファイルマネージャーをクリックして開いてください。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "カスタムプロファイル" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "今の変更を破棄する" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "推奨" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "カスタム" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "オン" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "オフ" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "実験" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "エクストルーダー%2の設定には%1プロファイルがありません。代わりにデフォルトの目的が使用されます" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "印刷設定は無効にされました。G-code ファイルは変更できません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "推奨" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "カスタム" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "オン" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "オフ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "実験" +msgid "Profiles" +msgstr "プロファイル" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "密着性" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "ブリムまたはラフトのプリントの有効化。それぞれ、プリントの周り、また造形物の下に底面を加え切り取りやすくします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "インフィル半減" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "グラデュアルインフィルはトップに向かうに従ってインフィルの量を増やします。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "プロファイルの設定がいくつか変更されました。変更を有効にするにはカスタムモードに移動してください。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "サポート" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "オーバーハングがあるモデルにサポートを生成します。このサポート構造なしでは、プリント中にオーバーハングのパーツが崩壊してしまいます。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"いくらかの非表示設定は通常の計算された値と異なる値を使用します。\n" -"表示されるようにクリックしてください。" +msgid "Gradual infill" +msgstr "インフィル半減" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "グラデュアルインフィルはトップに向かうに従ってインフィルの量を増やします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "密着性" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "ブリムまたはラフトのプリントの有効化。それぞれ、プリントの周り、また造形物の下に底面を加え切り取りやすくします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "プロジェクトを保存..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "ネットワーク対応プリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "ローカルプリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "お気に入り" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "汎用" + +# can’t enter japanese texts +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "選択したモデルで印刷:" + +# can’t eneter japanese texts +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "選択した複数のモデル" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "コピーの数" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "プロジェクトを保存... (&S)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "エクスポート... (&E)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "選択エクスポート..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "構成" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "カスタム" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "プリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "有効" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "フィラメント" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "この材料の組み合わせの接着に接着材を使用する。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "構成の選択" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "構成" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "プリンタから利用可能な構成を読み込んでいます..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "プリンタが接続されていないため、構成は利用できません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "%1 が認識されていないためこの構成は利用できません。%2 から適切な材料プロファイルをダウンロードしてください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "マーケットプレース" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "ファイルを開く..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&プリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&フィラメント" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "アクティブエクストルーダーとしてセットする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "エクストルーダーを有効にする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "エクストルーダーを無効にする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "最近開いたファイルを開く" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "ビジブル設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "すべてのカテゴリを折りたたむ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "視野のセッティングを管理する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "カメラ位置 (&C)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "カメラビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "パースペクティブ表示" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "平行投影表示" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "ビルドプレート (&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "タイプ表示" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "サポートとしてプリントされます。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "このモデルに重なる他のモデルは修正されます。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "このモデルとのインフィル交差は修正されます。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "このモデルとの重なりはサポートされません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "%1個の設定を上書きします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "プロファイル" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "アクティベート" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "作成する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "複製" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "名を変える" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "取り込む" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "書き出す" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "プロファイルを作る" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "このプロファイルの名前を指定してください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "プロファイルを複製する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "モデルを取り除きました" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "%1を取り外しますか?この作業はやり直しが効きません!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "プロファイル名を変える" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "プロファイルを取り込む" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "プロファイルを書き出す" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "プリンター:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "プロファイルを現在のセッティング" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "このプロファイルはプリンターによりデフォルトを使用、従いこのプロファイルはセッティング/書き換えが以下のリストにありません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "設定は選択したプロファイルにマッチしています。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "グローバル設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "一般" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "インターフェイス" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "通貨:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "テーマ:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "それらの変更を有効にするためにはアプリケーションを再起動しなけらばなりません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "セッティングを変更すると自動にスライスします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "自動的にスライスする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "ビューポイント機能" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "赤でサポートができないエリアをハイライトしてください。サポートがない場合、正確にプリントができない場合があります。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "ディスプレイオーバーハング" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "モデルの欠けている部分または不要な表面部分を、警告マークを使用してハイライトします。ツールパスは意図したジオメトリの欠けている部分になることが多くあります。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "モデルエラーを表示" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "モデルの選択時にモデルがカメラの中心に見えるようにカメラを移動する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "アイテムを選択するとカメラが中心にきます" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Curaのデフォルトのズーム機能は変更できるべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "カメラのズーム方向を反転する。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "ズームはマウスの方向に動くべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "マウスに対するズームは、正射投影ではサポートされていません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "マウスの方向にズームする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "交差を避けるためにプラットホーム上のモデルを移動するべきですか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "モデルの距離が離れているように確認する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "プラットホーム上のモデルはブルドプレートに触れるように下げるべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "自動的にモデルをビルドプレートに落とす" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "G-codeリーダーに注意メッセージを表示します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-codeリーダーに注意メッセージ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "レイヤーはコンパティビリティモードに強制されるべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "レイヤービューコンパティビリティモードを強制する。(再起動が必要)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Curaを終了した場所で開くようにしますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "開始時にウィンドウの位置を復元" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "どのような種類のカメラレンダリングを使用する必要がありますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "カメラレンダリング:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "パースペクティブ表示" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "平行投影表示" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "ファイルを開くまた保存" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "デスクトップまたは外部アプリケーションから開いたファイルをCuraの同じインスタンスで開く必要がありますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Curaの単一インスタンスを使用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Curaの単一インスタンスに新しいモデルをロードする前に、ビルドプレートをクリアする必要はありますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "モデルを単一のインスタンスにロードする前にビルドプレートをクリア" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "モデルがビルドボリュームに対して大きすぎる場合はスケールされるべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "大きなモデルをスケールする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "ユニット値がミリメートルではなくメートルの場合、モデルが極端に小さく現れる場合があります。モデルはスケールアップされるべきですか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "極端に小さなモデルをスケールアップする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "モデルはロード後に選択しますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "ロード後にモデルを選択" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "プリンター名の敬称はプリントジョブの名前に自動的に加えられるべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "プリンターの敬称をジョブネームに加える" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "プロジェクトファイルを保存時にサマリーを表示するべきか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "プロジェクトを保存時にダイアログサマリーを表示する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "プロジェクトファイルを開く際のデフォルト機能" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "プロジェクトファイル開く際のデフォルト機能: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "毎回確認する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "常にプロジェクトとして開く" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "常にモデルを取り込む" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "プロファイル内を変更し異なるプロファイルにしました、どこの変更点を保持、破棄したいのダイアログが表示されます、また何度もダイアログが表示されないようにデフォルト機能を選ぶことができます。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "プロファイル交換時に設定値を変更するためのデフォルト処理: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "常に変更した設定を廃棄する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "常に変更した設定を新しいプロファイルに送信する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "プライバシー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "プリンターの不明なデータをUltimakerにおくりますか?メモ、モデル、IPアドレス、個人的な情報は送信されたり保存されたりはしません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(不特定な) プリントインフォメーションを送信" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "詳細" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "アップデート" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Curaのプログラム開始時にアップデートがあるかチェックしますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "スタート時にアップデートあるかどうかのチェック" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "アップデートを確認する際に、安定版リリースのみを確認します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "安定版リリースのみ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "アップデートを確認する際に、安定版とベータ版の両方のリリースを確認します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "安定版およびベータ版リリース" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Curaの起動時に毎回、新しいプラグインの自動チェックを行う場合は、この機能を無効にしないことを強くお勧めします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "プラグインのアップデートを通知" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "インフォメーション" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "直径変更の確認" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "新しいフィラメントの直径は %1 mm に設定されています。これは現在のエクストルーダーに適応していません。続行しますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "ディスプレイ名" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "フィラメントタイプ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "色" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "プロパティ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "密度" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "直径" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "フィラメントコスト" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "フィラメントの重さ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "フィラメントの長さ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "毎メーターコスト" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "このフィラメントは %1にリンクすプロパティーを共有する。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "フィラメントをリンクを外す" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "記述" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "接着のインフォメーション" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "作成する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "複製" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "プリンターと同期する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "プリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "フィラメントを取り込む" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "%1フィラメントを取り込むことができない: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "フィラメント%1の取り込みに成功しました" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "フィラメントを書き出す" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "フィラメントの書き出しに失敗しました %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "フィラメントの%1への書き出しが完了ました" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "すべての材料を書き出す" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "視野設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "全てを調べる" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "プリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "計算された" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "プロファイル" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "現在" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "ユニット" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "プリンターにつながっていません" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "今プリンタはコマンドを処理できません" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "メンテナンス。プリンターをチェックしてください" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "プリンターへの接続が切断されました" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "プリント中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "一時停止しました" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "準備中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "造形物を取り出してください" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "プリント中止" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "本当にプリントを中止してもいいですか?" + +# can’t enter japanese +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "選択したモデルを%1で印刷する" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "マイプリンター" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Ultimaker Digital Factoryでプリンターをモニタリングします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Digital Libraryでプリントプロジェクトを作成します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "プリントジョブ" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "プリントジョブをモニタリングしてプリント履歴から再プリントします。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Ultimaker Curaをプラグインと材料プロファイルで拡張します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Ultimaker eラーニングで3Dプリンティングのエキスパートになります。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimakerのサポート" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Ultimaker Curaの使用を開始する方法を確認します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "質問をする" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Ultimaker Communityをご参照ください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "バグを報告" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "問題が発生していることを開発者にお知らせください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Ultimakerウェブサイトをご確認ください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "プリンターコントロール" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "ジョグの位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "ジョグの距離" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "G-codeの送信" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "カスタムG-codeコマンドを接続されているプリンターに送信します。「Enter」を押してコマンドを送信します。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "エクストルーダー" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "ホットエンドの目標温度。ホットエンドはこの温度に向けて上がったり下がったりします。これが0の場合、ホットエンドの加熱はオフになっています。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "このホットエンドの現在の温度です。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "ホットエンドをプリヒートする温度です。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "キャンセル" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "プレヒート" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "プリント開始前にホットエンドを加熱します。加熱中もプリントの調整を行えます、またホットエンドが加熱するまでプリント開始を待つ必要もありません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "エクストルーダーのマテリアルの色。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "エクストルーダー入ったフィラメント。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "ノズルが入ったエクストルーダー。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "このプリンターはつながっていません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "ビルドプレート" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "ヒーティッドベッドの目標温度。ベッドはこの温度に向けて上がったり下がったりします。これが0の場合、ベッドの加熱はオフになっています。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "現在のヒーティッドベッドの温度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "ベッドのプリヒート温度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "プリント開始前にベッドを加熱します。加熱中もプリントの調整を行えます、またべットが加熱するまでプリント開始を待つ必要もありません。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "サインイン" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- マーケットプレースから材料プロファイルとプラグインを追加\n" +"- 材料プロファイルとプラグインのバックアップと同期\n" +"- Ultimakerコミュニティで48,000人以上のユーザーとアイデアを共有してアドバイスをもらう" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "無料のUltimakerアカウントを作成" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "最終更新:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimakerアカウント" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "サインアウト" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "確認しています..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "アカウント同期" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "問題が発生しました..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "保留中の更新をインストール" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "アカウントの更新を確認" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "無題" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "選択するアイテムがありません" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "オンラインでトラブルシューティングガイドを表示する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "留め金 フルスクリーン" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "全画面表示を終了する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&取り消す" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&やりなおす" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&やめる" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3Dビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "フロントビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "トップビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "底面図" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "左サイドビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "右サイドビュー" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Curaを構成する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&プリンターを追加する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "プリンターを管理する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "フィラメントを管理する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "マーケットプレイスから材料を追加" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&現在の設定/無効にプロファイルをアップデートする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&変更を破棄する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&今の設定/無効からプロファイルを作成する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "プロファイルを管理する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "オンラインドキュメントを表示する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "報告&バグ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "新情報" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "アバウト..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "選択内容を削除" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "選択内容を中央に移動" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "選択内容を増倍" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "モデルを消去する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "プラットホームの中心にモデルを配置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&モデルグループ" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "モデルを非グループ化" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "モ&デルの合体" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&モデルを増倍する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "すべてのモデル選択" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "ビルドプレート上のクリア" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "すべてのモデルを読み込む" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "すべてのモデルをすべてのビルドプレートに配置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "すべてのモデルをアレンジする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "選択をアレンジする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "すべてのモデルのポジションをリセットする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "すべてのモデル&変更点をリセットする" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&ファイルを開く(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&新しいプロジェクト..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "コンフィグレーションのフォルダーを表示する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "視野のセッティングを構成する..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&マーケットプレース" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "影響を与えるすべての設定がオーバーライドされるため、この設定は使用されません。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "影響" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "次によって影響を受ける" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "この設定は常に全てのエクストルーダーに共有されています。ここですべてのエクストルーダーの数値を変更できます。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "この設定はエクストルーダー固有の競合する値から取得します:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5362,7 +5813,7 @@ msgstr "" "この設定にプロファイルと異なった値があります。\n" "プロファイルの値を戻すためにクリックしてください。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5372,509 +5823,92 @@ msgstr "" "このセッティングは通常計算されます、今は絶対値に固定されています。\n" "計算された値に変更するためにクリックを押してください。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "検索設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "すべてのエクストルーダーの値をコピーする" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "すべてのエクストルーダーに対して変更された値をコピーする" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "この設定を非表示にする" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "この設定を表示しない" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "常に見えるように設定する" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3Dビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "フロントビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "トップビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "左ビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "右ビュー" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "タイプ表示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "クラウドプリンターを追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "クラウドの応答を待機しています" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "アカウントにプリンターが見つかりませんか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "アカウントの以下のプリンターがCuraに追加されました。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "プリンタを手動で追加する" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "製造元" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "プロファイル作成者" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "プリンター名" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "プリンターに名前を付けてください" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "プリンターの追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "ネットワークプリンターの追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "非ネットワークプリンターの追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "ネットワークにプリンターはありません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "IP でプリンターを追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "クラウドプリンターを追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "トラブルシューティング" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "IP アドレスでプリンターを追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "プリンターのIPアドレスを入力します。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "デバイスに接続できません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Ultimakerプリンターに接続できませんか?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "このアドレスのプリンターは応答していません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "このプリンタは不明なプリンタであるか、またはグループのホストではないため、追加できません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "戻る" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "接続" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "リリースノート" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "マーケットプレイスから材料設定とプラグインを追加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "材料設定とプラグインのバックアップと同期" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Ultimakerコミュニティで48,000人以上のユーザーとアイデアを共有してアドバイスをもらう" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "スキップ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "無料のUltimakerアカウントを作成" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ultimaker Cura の改善にご協力ください" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura は、印刷品質とユーザーエクスペリエンスを向上させるために以下の匿名データを収集します:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "プリンターのタイプ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "材料の利用状況" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "スライスの数" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "プリント設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura が収集したデータには個人データは含まれません。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "詳細" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "空にする" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "ユーザー用使用許諾契約" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "拒否して閉じる" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Ultimaker Cura にようこそ" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"以下の手順で\n" -"Ultimaker Cura を設定してください。数秒で完了します。" +"いくらかの非表示設定は通常の計算された値と異なる値を使用します。\n" +"表示されるようにクリックしてください。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "はじめに" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "このパッケージは再起動後にインストールされます。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1を閉じています" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "%1を終了しますか?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "パッケージをインストール" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "ファイルを開く(s)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "選択したファイルの中に複数のG-codeが存在します。1つのG-codeのみ一度に開けます。G-codeファイルを開く場合は、1点のみ選んでください。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "プリンターを追加する" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "新情報" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "選択するアイテムがありません" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "プリント問題の可能性のあるモデルをプリント構成を確認し、解決案を提示してください。" - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "モデルチェッカー" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "3MFファイルを読むこむためのサポートを供給する。" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MFリーダー" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "3MFファイルを読むこむためのサポートを供給する。" - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MFリーダー" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "AMFファイルの読込みをサポートしています。" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMFリーダー" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "構成をバックアップしてリストアします。" - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura バックアップ" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "CuraEngineスライシングバックエンドにリンクを供給する。" - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Curaエンジンバックエンド" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Curaプロファイルを取り込むためのサポートを供給する。" - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Curaプロファイルリーダー" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Curaプロファイルを書き出すためのサポートを供給する。" - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Curaプロファイルライター" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Digital Libraryに接続し、CuraでDigital Libraryからファイルを開いたりDigital Libraryにファイルを保存したりできるようにします。" - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "ファームウェアアップデートをチェックする。" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "ファームウェアアップデートチェッカー" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "ファームウェアアップデートのためのマシン操作を提供します。" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "ファームウェアアップデーター" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "圧縮ファイルからG-codeを読み取ります。" - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "圧縮G-codeリーダー" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "圧縮ファイルにG-codeを書き込みます。" - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "圧縮G-codeライター" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "g-codeファイルからプロファイルを読み込むサポートを供給する。" - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-codeプロファイルリーダー" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "G-codeファイルの読み込み、表示を許可する。" - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-codeリーダー" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "ファイルにG-codeを書き込みます。" - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-codeライター" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "2Dの画像ファイルからプリント可能なジオメトリーを生成を可能にする。" - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "画像リーダー" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "レガシーCura Versionsからプロファイルを取り込むためのサポートを供給する。" - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "レガシーCuraプロファイルリーダー" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "プリンターの設定を変更(印刷ボリューム、ノズルサイズ、その他)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "プリンターの設定アクション" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Curaでモニターステージを提供します。" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "モニターステージ" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5885,85 +5919,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "各モデル設定ツール" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "後処理のためにユーザーが作成したスクリプト用拡張子" +msgid "Provides support for importing Cura profiles." +msgstr "Curaプロファイルを取り込むためのサポートを供給する。" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "後処理" +msgid "Cura Profile Reader" +msgstr "Curaプロファイルリーダー" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Curaで準備ステージを提供します。" +msgid "Provides support for reading X3D files." +msgstr "X3Dファイルを読むこむためのサポートを供給する。" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "ステージの準備" +msgid "X3D Reader" +msgstr "X3Dリーダー" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Curaでプレビューステージを提供します。" +msgid "Backup and restore your configuration." +msgstr "構成をバックアップしてリストアします。" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "プレビューステージ" +msgid "Cura Backups" +msgstr "Cura バックアップ" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "取り外し可能なドライブホットプラギング及びサポートの書き出しの供給。" +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "プリンターの設定を変更(印刷ボリューム、ノズルサイズ、その他)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "取り外し可能なドライブアウトプットデバイスプラグイン" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "クラッシュレポーターで使用できるように、特定のイベントをログに記録します" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "監視ロガー" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "シミュレーションビューを提供します。" - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "シミュレーションビュー" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "不特定なスライス情報を提出。プレファレンスの中で無効になる可能性もある。" - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "スライスインフォメーション" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "ノーマルなソリットメッシュビューを供給する。" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "ソリッドビュー" +msgid "Machine Settings Action" +msgstr "プリンターの設定アクション" #: SupportEraser/plugin.json msgctxt "description" @@ -5975,35 +5969,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "サポート消去機能" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "新しいCuraパッケージを検索、管理、インストールします。" +msgid "Provides removable drive hotplugging and writing support." +msgstr "取り外し可能なドライブホットプラギング及びサポートの書き出しの供給。" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "ツールボックス" +msgid "Removable Drive Output Device Plugin" +msgstr "取り外し可能なドライブアウトプットデバイスプラグイン" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "モデルファイルを読み込むためのサポートを供給します。" +msgid "Provides a machine actions for updating firmware." +msgstr "ファームウェアアップデートのためのマシン操作を提供します。" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimeshリーダー" +msgid "Firmware Updater" +msgstr "ファームウェアアップデーター" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Ultimakerフォーマットパッケージの読み込みをサポートします。" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "レガシーCura Versionsからプロファイルを取り込むためのサポートを供給する。" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP リーダー" +msgid "Legacy Cura Profile Reader" +msgstr "レガシーCuraプロファイルリーダー" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "3MFファイルを読むこむためのサポートを供給する。" + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MFリーダー" #: UFPWriter/plugin.json msgctxt "description" @@ -6015,25 +6019,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFPライター" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Ultimakerのプリンターのアクションを供給する(ベッドレベリングウィザード、アップグレードの選択、他)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "クラッシュレポーターで使用できるように、特定のイベントをログに記録します" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimkerプリンターのアクション" +msgid "Sentry Logger" +msgstr "監視ロガー" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Ultimakerのネットワーク接属できるプリンターのネットワーク接続を管理します。" +msgid "Provides support for importing profiles from g-code files." +msgstr "g-codeファイルからプロファイルを読み込むサポートを供給する。" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimakerネットワーク接続" +msgid "G-code Profile Reader" +msgstr "G-codeプロファイルリーダー" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Curaでプレビューステージを提供します。" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "プレビューステージ" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "透視ビューイング。" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "透視ビュー" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "CuraEngineスライシングバックエンドにリンクを供給する。" + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Curaエンジンバックエンド" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "AMFファイルの読込みをサポートしています。" + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMFリーダー" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "圧縮ファイルからG-codeを読み取ります。" + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "圧縮G-codeリーダー" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "後処理のためにユーザーが作成したスクリプト用拡張子" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "後処理" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Curaプロファイルを書き出すためのサポートを供給する。" + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Curaプロファイルライター" #: USBPrinting/plugin.json msgctxt "description" @@ -6045,25 +6119,135 @@ msgctxt "name" msgid "USB printing" msgstr "USBプリンティング" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Cura 2.1 からCura 2.2のコンフィグレーションアップグレート。" +msgid "Provides a prepare stage in Cura." +msgstr "Curaで準備ステージを提供します。" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "2.1 から2.2にバージョンアップグレート" +msgid "Prepare Stage" +msgstr "ステージの準備" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Cura 2.2 からCura 2.4のコンフィグレーションアップグレート。" +msgid "Allows loading and displaying G-code files." +msgstr "G-codeファイルの読み込み、表示を許可する。" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "2.2 から2.4にバージョンアップグレート" +msgid "G-code Reader" +msgstr "G-codeリーダー" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "2Dの画像ファイルからプリント可能なジオメトリーを生成を可能にする。" + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "画像リーダー" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Ultimakerのプリンターのアクションを供給する(ベッドレベリングウィザード、アップグレードの選択、他)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimkerプリンターのアクション" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "圧縮ファイルにG-codeを書き込みます。" + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "圧縮G-codeライター" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "ファームウェアアップデートをチェックする。" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "ファームウェアアップデートチェッカー" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "不特定なスライス情報を提出。プレファレンスの中で無効になる可能性もある。" + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "スライスインフォメーション" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "XMLベースフィラメントのプロファイルを読み書きするための機能を供給する。" + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "フィラメントプロファイル" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Digital Libraryに接続し、CuraでDigital Libraryからファイルを開いたりDigital Libraryにファイルを保存したりできるようにします。" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "新しいCuraパッケージを検索、管理、インストールします。" + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "ツールボックス" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "ファイルにG-codeを書き込みます。" + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-codeライター" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "シミュレーションビューを提供します。" + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "シミュレーションビュー" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Cura 4.5からCura 4.6に設定をアップグレードします。" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "バージョン4.5から4.6へのアップグレード" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6075,55 +6259,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "2.5から2.6にバージョンアップグレート" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Cura 2.6 からCura 2.7のコンフィグレーションアップグレート。" +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "構成をCura 4.6.0からCura 4.6.2に更新します。" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "2.6から2.7にバージョンアップグレート" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "4.6.0から4.6.2へのバージョン更新" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Cura 2.7からCura 3.0のコンフィグレーションアップグレート。" +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Cura 4.7からCura 4.8に設定をアップグレードします。" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "2.7から3.0にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Cura 3.0からCura 3.1のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "3.0から3.1にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Cura 3.2からCura 3.3のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "3.2から3.3にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Cura 3.3からCura 3.4のコンフィグレーションアップグレート。" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "3.3から3.4にバージョンアップグレート" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "バージョン4.7から4.8へのアップグレード" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6135,45 +6289,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "3.4 から 3.5 にバージョンアップグレート" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Cura 3.5 から Cura 4.0 のコンフィグレーションアップグレート。" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Cura 2.1 からCura 2.2のコンフィグレーションアップグレート。" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "3.5 から 4.0 にバージョンアップグレート" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "2.1 から2.2にバージョンアップグレート" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Cura 4.0 から Cura 4.1 のコンフィグレーションアップグレート。" +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Cura 3.2からCura 3.3のコンフィグレーションアップグレート。" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "4.0 から 4.1 にバージョンアップグレート" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "3.2から3.3にバージョンアップグレート" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Cura 4.11からCura 4.12に設定をアップグレードします。" +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Cura 4.8からCura 4.9に設定をアップグレードします。" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "バージョン4.11から4.12へのアップグレード" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "バージョン4.8から4.9へのアップグレード" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "コンフィギュレーションを Cura 4.1 から Cura 4.2 にアップグレートする。" +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "構成をCura 4.6.2からCura 4.7に更新します。" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "4.0 から 4.1 にバージョンアップグレート" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "4.6.2から4.7へのバージョン更新" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6195,66 +6349,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "4.3から4.4にバージョンアップグレート" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Cura 4.4からCura 4.5に設定をアップグレードします。" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "4.4から4.5にバージョンアップグレート" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Cura 4.5からCura 4.6に設定をアップグレードします。" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "バージョン4.5から4.6へのアップグレード" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "構成をCura 4.6.0からCura 4.6.2に更新します。" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "4.6.0から4.6.2へのバージョン更新" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "構成をCura 4.6.2からCura 4.7に更新します。" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "4.6.2から4.7へのバージョン更新" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Cura 4.7からCura 4.8に設定をアップグレードします。" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "バージョン4.7から4.8へのアップグレード" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Cura 4.8からCura 4.9に設定をアップグレードします。" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "バージョン4.8から4.9へのアップグレード" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6265,35 +6359,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "バージョン4.9から4.10へのアップグレード" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "X3Dファイルを読むこむためのサポートを供給する。" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Cura 2.7からCura 3.0のコンフィグレーションアップグレート。" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3Dリーダー" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "2.7から3.0にバージョンアップグレート" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "XMLベースフィラメントのプロファイルを読み書きするための機能を供給する。" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Cura 2.6 からCura 2.7のコンフィグレーションアップグレート。" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "フィラメントプロファイル" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "2.6から2.7にバージョンアップグレート" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "透視ビューイング。" +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Cura 4.11からCura 4.12に設定をアップグレードします。" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "透視ビュー" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "バージョン4.11から4.12へのアップグレード" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Cura 3.3からCura 3.4のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "3.3から3.4にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Cura 3.0からCura 3.1のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "3.0から3.1にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Cura 4.0 から Cura 4.1 のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "4.0 から 4.1 にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Cura 4.4からCura 4.5に設定をアップグレードします。" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "4.4から4.5にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Cura 2.2 からCura 2.4のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "2.2 から2.4にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "コンフィギュレーションを Cura 4.1 から Cura 4.2 にアップグレートする。" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "4.0 から 4.1 にバージョンアップグレート" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Cura 3.5 から Cura 4.0 のコンフィグレーションアップグレート。" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "3.5 から 4.0 にバージョンアップグレート" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Ultimakerのネットワーク接属できるプリンターのネットワーク接続を管理します。" + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimakerネットワーク接続" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "モデルファイルを読み込むためのサポートを供給します。" + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimeshリーダー" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Ultimakerフォーマットパッケージの読み込みをサポートします。" + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP リーダー" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "ノーマルなソリットメッシュビューを供給する。" + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "ソリッドビュー" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "3MFファイルを読むこむためのサポートを供給する。" + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MFリーダー" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Curaでモニターステージを提供します。" + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "モニターステージ" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "プリント問題の可能性のあるモデルをプリント構成を確認し、解決案を提示してください。" + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "モデルチェッカー" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/ja_JP/fdmextruder.def.json.po b/resources/i18n/ja_JP/fdmextruder.def.json.po index 5058b15418..42c81946c1 100644 --- a/resources/i18n/ja_JP/fdmextruder.def.json.po +++ b/resources/i18n/ja_JP/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 14:59+0200\n" "Last-Translator: Bothof \n" "Language-Team: Japanese\n" diff --git a/resources/i18n/ja_JP/fdmprinter.def.json.po b/resources/i18n/ja_JP/fdmprinter.def.json.po index 3543f479e6..9228c8535e 100644 --- a/resources/i18n/ja_JP/fdmprinter.def.json.po +++ b/resources/i18n/ja_JP/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:00+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Japanese , Japanese \n" @@ -57,8 +57,10 @@ msgstr "G-Codeの開始" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "最初に実行するG-codeコマンドは、\\n で区切ります。" +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -67,8 +69,10 @@ msgstr "G-codeの終了" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "最後に実行するG-codeコマンドは、\\n で区切ります。" +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -156,6 +160,18 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "造形可能領域の幅(Y方向)。" +# msgstr "楕円形" +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "プリンターの高さ" + +# msgstr "プリンターの高さ" +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "造形可能領域の幅(Z方向)。" + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -198,18 +214,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "アルミニウム" -# msgstr "楕円形" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "プリンターの高さ" - -# msgstr "プリンターの高さ" -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "造形可能領域の幅(Z方向)。" - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -582,8 +586,8 @@ msgstr "Z方向のモーターの最大速度。" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "最大送り速度" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1794,8 +1798,8 @@ msgstr "インフィルパターン" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "プリントのインフィル材料のパターンラインおよびジグザグインフィルはレイヤーごとに方向を入れ替え、材料コストを削減します。グリッド、トライアングル、トライヘキサゴン、キュービック、オクテット、クォーターキュービック、クロスおよび同心円パターンはレイヤーごとに完全にプリントされます。ジャイロイド、キュービック、クォーターキュービックおよびオクテットインフィルはレイヤーごとに変化し、各方向にかけてより均一な強度分布を実現します。ライトニングインフィルは造形物の(内部)ルーフのみを支えることで、インフィルを最低限にするよう試みます。そのため、インフィル率はモデル内で支える必要がある物の1つ下のレイヤーでのみ有効です。" +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2117,8 +2121,8 @@ msgstr "ライトニングインフィル刈り込み角度" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "ツリーの外側末端の刈り込みに関して、ライトニングインフィルレイヤーとそのすぐ上にあるレイヤーとの間に存在することのできる差異です。厚さを考慮して角度で指定されます。" +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2127,8 +2131,8 @@ msgstr "ライトニングインフィル矯正角度" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "ツリーのスムージングに関して、ライトニングインフィルレイヤーとそのすぐ上にあるレイヤーとの間に存在することのできる差異です。厚さを考慮して角度で指定されます。" +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6606,6 +6610,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "ファイルから読み込むときに、モデルに適用するトランスフォーメーションマトリックス。" +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "最初に実行するG-codeコマンドは、\\n で区切ります。" + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "最後に実行するG-codeコマンドは、\\n で区切ります。" + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "最大送り速度" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "プリントのインフィル材料のパターンラインおよびジグザグインフィルはレイヤーごとに方向を入れ替え、材料コストを削減します。グリッド、トライアングル、トライヘキサゴン、キュービック、オクテット、クォーターキュービック、クロスおよび同心円パターンはレイヤーごとに完全にプリントされます。ジャイロイド、キュービック、クォーターキュービックおよびオクテットインフィルはレイヤーごとに変化し、各方向にかけてより均一な強度分布を実現します。ライトニングインフィルは造形物の(内部)ルーフのみを支えることで、インフィルを最低限にするよう試みます。そのため、インフィル率はモデル内で支える必要がある物の1つ下のレイヤーでのみ有効です。" + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "ツリーの外側末端の刈り込みに関して、ライトニングインフィルレイヤーとそのすぐ上にあるレイヤーとの間に存在することのできる差異です。厚さを考慮して角度で指定されます。" + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "ツリーのスムージングに関して、ライトニングインフィルレイヤーとそのすぐ上にあるレイヤーとの間に存在することのできる差異です。厚さを考慮して角度で指定されます。" + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "印刷用インフィル材料のパターン。代替層のラインとジグザグの面詰めスワップ方向、材料コストを削減します。グリッド、トライアングル、トライ六角、キュービック、オクテット、クォーターキュービック、クロスと同心円のパターンは、すべてのレイヤーを完全に印刷されます。ジャイロイド、キュービック、クォーターキュービック、オクテットのインフィルは、各レイヤーを変更して各方向の強度をより均等な分布にします。" diff --git a/resources/i18n/ko_KR/cura.po b/resources/i18n/ko_KR/cura.po index e43b8e8d33..806371e8e4 100644 --- a/resources/i18n/ko_KR/cura.po +++ b/resources/i18n/ko_KR/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-04-16 15:01+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Korean , Jinbum Kim , Korean \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 2.4.1\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "알 수 없는" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "사용자 데이터 디렉터리에서 압축 파일을 만들 수 없습니다: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "아래 프린터는 그룹에 속해 있기 때문에 연결할 수 없습니다" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "백업" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "사용 가능한 네트워크 프린터" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "적절한 데이터 또는 메타 데이터 없이 Cura 백업을 복원하려고 시도했습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "재정의되지 않음" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "현재 버전보다 높은 Cura 백업을 복원하려고 시도했습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "다음의 오류는 Cura 백업을 복원하려고 시도하는 동안 발생했습니다." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "프린트를 시작하기 전에 재료 프로파일을 프린터와 동기화하십시오." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "새로운 재료가 설치됨" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "재료를 프린터와 동기화" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "자세히 알아보기" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "재료 아카이브를 {}에 저장할 수 없음:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "재료 아카이브를 저장하는 데 실패함" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "\"프린팅 순서\"설정 값으로 인해 갠트리가 프린팅 된 모델과 충돌하지 않도록 출력물 높이가 줄어 들었습니다." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "출력물 크기" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "정말로 {0}을(를) 제거하시겠습니까? 이 작업을 실행 취소할 수 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "재정의되지 않음" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "알 수 없는" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "아래 프린터는 그룹에 속해 있기 때문에 연결할 수 없습니다" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "사용 가능한 네트워크 프린터" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "뛰어난 외관" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "시각적 프로파일은 높은 시각적 및 표면 품질의 의도를 지니고 시각적 프로토타입과 모델을 인쇄하기 위해 설계되었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "엔지니어링 프로파일은 정확도를 개선하고 허용 오차를 좁히려는 의도로 기능 프로토타입 및 최종 사용 부품을 인쇄하도록 설계되었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "초안" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "초안 프로파일은 인쇄 시간을 상당히 줄이려는 의도로 초기 프로토타입과 컨셉트 확인을 인쇄하도록 설계되었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "프린트를 시작하기 전에 재료 프로파일을 프린터와 동기화하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "새로운 재료가 설치됨" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "재료를 프린터와 동기화" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "자세히 알아보기" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "사용자 정의 소재" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "사용자 정의" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "재료 아카이브를 {}에 저장할 수 없음:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "재료 아카이브를 저장하는 데 실패함" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "사용자 정의 프로파일" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "지원되는 모든 유형 ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "모든 파일 (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "뛰어난 외관" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "시각적 프로파일은 높은 시각적 및 표면 품질의 의도를 지니고 시각적 프로토타입과 모델을 인쇄하기 위해 설계되었습니다." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "엔지니어링 프로파일은 정확도를 개선하고 허용 오차를 좁히려는 의도로 기능 프로토타입 및 최종 사용 부품을 인쇄하도록 설계되었습니다." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "초안" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "초안 프로파일은 인쇄 시간을 상당히 줄이려는 의도로 초기 프로토타입과 컨셉트 확인을 인쇄하도록 설계되었습니다." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "사용자 정의 소재" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "사용자 정의" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "로그인 실패" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "객체의 새 위치 찾기" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "위치 찾기" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "모든 개체가 출력할 수 있는 최대 사이즈 내에 위치할 수 없습니다" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "위치를 찾을 수 없음" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "사용자 데이터 디렉터리에서 압축 파일을 만들 수 없습니다: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "백업" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "적절한 데이터 또는 메타 데이터 없이 Cura 백업을 복원하려고 시도했습니다." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "현재 버전보다 높은 Cura 백업을 복원하려고 시도했습니다." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "다음의 오류는 Cura 백업을 복원하려고 시도하는 동안 발생했습니다." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "기기로드 중 ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "환경 설정을 설정하는 중..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "활성 기기 초기화 중..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "패키지 관리자 초기화 중..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "출력 사이즈 초기화 중..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "장면 설정 중..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "인터페이스 로드 중 ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "엔진 초기화 중..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "\"프린팅 순서\"설정 값으로 인해 갠트리가 프린팅 된 모델과 충돌하지 않도록 출력물 높이가 줄어 들었습니다." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "한 번에 하나의 G-코드 파일만 로드 할 수 있습니다. {0} 가져 오기를 건너 뛰었습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "출력물 크기" +msgid "Warning" +msgstr "경고" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "G-코드가 로드되어 있으면 다른 파일을 열 수 없습니다. {0} 가져 오기를 건너 뛰었습니다." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "오류" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "건너뛰기" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "닫기" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "다음" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "종료" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "추가" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "취소" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "그룹 #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "외벽" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "내벽" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "스킨" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "내부채움" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "내부채움 서포트" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "지원하는 인터페이스" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "서포트" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "스커트" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "프라임 타워" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "움직임 경로" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "리트랙션" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "다른" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "릴리즈 노트를 열 수 없습니다." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "큐라를 시작할 수 없습니다" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "                    

    문제를 해결하기 위해이 오류 보고서를 보내주십시오. \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "충돌 보고서를 Ultimaker에 보내기" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "충돌 리포트 보기" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "설정 폴더 보기" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "백업 및 리셋 설정" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "충돌 보고서" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,497 +510,1264 @@ msgstr "" "

    \"보고서 전송\" 버튼을 사용하면 버그 보고서가 서버에 자동으로 전달됩니다

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "시스템 정보" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "알 수 없음" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura 버전" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura 언어" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "OS 언어" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "플랫폼" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt 버전" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt 버전" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "아직 초기화되지 않음
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL 버전: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL 공급업체: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "오류 추적" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "로그" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "보고서 전송" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "기기로드 중 ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "환경 설정을 설정하는 중..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "활성 기기 초기화 중..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "패키지 관리자 초기화 중..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "출력 사이즈 초기화 중..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "장면 설정 중..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "인터페이스 로드 중 ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "엔진 초기화 중..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "한 번에 하나의 G-코드 파일만 로드 할 수 있습니다. {0} 가져 오기를 건너 뛰었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "경고" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "G-코드가 로드되어 있으면 다른 파일을 열 수 없습니다. {0} 가져 오기를 건너 뛰었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "오류" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "객체를 증가시키고 배치" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "개체 배치 중" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "개체 배치 중" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "응답을 읽을 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "입력한 상태가 올바르지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "이 응용 프로그램을 인증할 때 필요한 권한을 제공하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "로그인을 시도할 때 예기치 못한 문제가 발생했습니다. 다시 시도하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "새 로그인 작업을 시작할 수 없습니다. 다른 로그인 작업이 진행 중인지 확인하십시오." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Ultimaker 계정 서버에 도달할 수 없음." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "입력한 상태가 올바르지 않습니다." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "이 응용 프로그램을 인증할 때 필요한 권한을 제공하십시오." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "로그인을 시도할 때 예기치 못한 문제가 발생했습니다. 다시 시도하십시오." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "응답을 읽을 수 없습니다." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "객체를 증가시키고 배치" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "개체 배치 중" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "개체 배치 중" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "지원되지 않음" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "노즐" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "익스트루더의 현재 가용성과 일치하도록 설정이 변경되었습니다:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "설정이 업데이트되었습니다" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "익스트루더 비활성화됨" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "파일이 이미 있습니다" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "파일 {0}이 이미 있습니다. 덮어 쓰시겠습니까?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "유효하지 않은 파일 URL:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "프로파일을 {0}: {1}로 내보내는데 실패했습니다" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "프로파일을 {0}로 내보내지 못했습니다. Writer 플러그인이 오류를 보고했습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "프로파일을 {0} 에 내보냅니다" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "내보내기 완료" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "{0}에서 프로파일을 가져오지 못했습니다 {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "프린터가 추가되기 전 {0}에서 프로파일을 가져올 수 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "{0}(으)로 가져올 사용자 정의 프로파일이 없습니다" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "{0}에서 프로파일을 가져오지 못했습니다:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "프로파일 {0}에는 정확하지 않은 데이터가 포함되어 있으므로, 불러올 수 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "{0}에서 프로파일을 가져오지 못했습니다:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "프로파일 {0}을(를) 성공적으로 가져왔습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "파일 {0}에 유효한 프로파일이 포함되어 있지 않습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "프로파일 {0}에 알 수 없는 파일 유형이 있거나 손상되었습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "사용자 정의 프로파일" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "프로파일에 품질 타입이 누락되었습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "아직 활성화된 프린터가 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "프로파일을 추가할 수 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "'{0}' 품질 타입은 현재 활성 기기 정의 '{1}'와(과) 호환되지 않습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "경고: 프로파일은 '{0}' 품질 타입을 현재 구성에 이용할 수 없기 때문에 찾을 수 없습니다. 이 품질 타입을 사용할 수 있는 재료/노즐 조합으로 전환하십시오." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "지원되지 않음" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "노즐" +msgid "Per Model Settings" +msgstr "모델 별 설정" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "익스트루더의 현재 가용성과 일치하도록 설정이 변경되었습니다:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "모델 별 설정 구성" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura 프로파일" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D 파일" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "백업 복원 시도 중 오류가 있었습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "설정이 업데이트되었습니다" +msgid "Backups" +msgstr "백업" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "백업을 업로드하는 도중 오류가 있었습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "백업 생성 중..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "백업을 생성하는 도중 오류가 있었습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "백업 업로드 중..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "백업이 업로드를 완료했습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "백업이 최대 파일 크기를 초과했습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "백업 관리" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "기기 설정" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "서포트 차단기" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "서포트가 프린팅되지 않는 볼륨을 만듭니다." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "이동식 드라이브" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "이동식 드라이브에 저장" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "이동식 드라이브 {0}에 저장" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "쓸 수있는 파일 형식이 없습니다!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "이동식 드라이브 {0}에 저장" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "익스트루더 비활성화됨" +msgid "Saving" +msgstr "저장" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "{0}: {1} 에 저장할 수 없습니다" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "{device} 장치에 쓸 때 파일 이름을 찾을 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 +#, python-brace-format +msgctxt "@info:status" +msgid "Could not save to removable drive {0}: {1}" +msgstr "이동식 드라이브 {0}: {1} 에 저장할 수 없습니다 :" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "이동식 드라이브 {0}에 {1}로 저장되었습니다." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "파일이 저장됨" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 msgctxt "@action:button" -msgid "Add" -msgstr "추가" +msgid "Eject" +msgstr "꺼내기" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "이동식 장치 {0} 꺼내기" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "{0}가 배출됐습니다. 이제 드라이브를 안전하게 제거 할 수 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "하드웨어 안전하게 제거" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "{0}를 배출하지 못했습니다. 다른 프로그램이 드라이브를 사용 중일 수 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "펌웨어 업데이트" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 프로파일" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "추천" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "사용자 정의" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "프로젝트 파일 {0}에 알 수 없는 기기 유형 {1}이(가) 포함되어 있습니다. 기기를 가져올 수 없습니다. 대신 모델을 가져옵니다." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "프로젝트 파일 열기" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "프로젝트 파일 {0}에 갑자기 접근할 수 없습니다: {1}." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "프로젝트 파일 열 수 없음" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "프로젝트 파일 {0}이 손상됨: {1}." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tag !" +msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." +msgstr "프로젝트 파일 {0}이(가) 이 버전의 Ultimaker Cura에서 확인할 수 없는 프로파일을 사용하였습니다." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 +msgctxt "@item:inlistbox" +msgid "3MF File" +msgstr "3MF 파일" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "UFP 파일에 쓸 수 없음:" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "Ultimaker Format Package" +msgstr "Ultimaker 포맷 패키지" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 +msgctxt "@item:inlistbox" +msgid "G-code File" +msgstr "G-code 파일" + +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 +msgctxt "@item:inmenu" +msgid "Preview" +msgstr "미리 보기" + +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "엑스레이 뷰" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "레이어 처리 중" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "정보" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +msgctxt "@message" +msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." +msgstr "예기치 않은 오류로 인해 슬라이싱에 실패했습니다. 이슈 트래커에 버그를 보고하는 것을 고려하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +msgctxt "@message:title" +msgid "Slicing failed" +msgstr "슬라이싱 실패" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +msgctxt "@message:button" +msgid "Report a bug" +msgstr "버그 보고" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +msgctxt "@message:description" +msgid "Report a bug on Ultimaker Cura's issue tracker." +msgstr "Ultimaker Cura의 이슈 트래커에 버그 보고" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +msgctxt "@info:status" +msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." +msgstr "선택한 소재 또는 구성과 호환되지 않기 때문에 현재 소재로 슬라이스 할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "슬라이스 할 수 없습니다" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice with the current settings. The following settings have errors: {0}" +msgstr "현재 설정으로 슬라이스 할 수 없습니다. 다음 설정에는 오류가 있습니다 : {0}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" +msgstr "일부 모델별 설정으로 인해 슬라이스할 수 없습니다. 하나 이상의 모델에서 다음 설정에 오류가 있습니다. {error_labels}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:status" +msgid "Unable to slice because the prime tower or prime position(s) are invalid." +msgstr "프라임 타워 또는 위치가 유효하지 않아 슬라이스 할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#, python-format +msgctxt "@info:status" +msgid "Unable to slice because there are objects associated with disabled Extruder %s." +msgstr "비활성화된 익스트루더 %s(와)과 연결된 개체가 있기 때문에 슬라이스할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +msgctxt "@info:status" +msgid "" +"Please review settings and check if your models:\n" +"- Fit within the build volume\n" +"- Are assigned to an enabled extruder\n" +"- Are not all set as modifier meshes" +msgstr "" +"설정을 검토하고 모델이 다음 사항에 해당하는지 확인하십시오.\n" +"- 출력 사이즈 내에 맞춤화됨\n" +"- 활성화된 익스트루더로 할당됨\n" +"- 수정자 메쉬로 전체 설정되지 않음" + +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "AMF File" +msgstr "AMF 파일" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "압축된 G-code 파일" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "후 처리" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "G 코드 수정" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "USB를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "USB를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "USB를 통해 연결" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USB 인쇄가 진행 중입니다. Cura를 닫으면 인쇄도 중단됩니다. 계속하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "프린트가 아직 진행 중입니다. Cura는 이전 프린트가 완료될 때까지는 USB를 통해 다른 프린트를 시작할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "프린트 진행 중" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "준비" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G 코드 파싱" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-코드 세부 정보" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "파일을 보내기 전에 g-코드가 프린터 및 프린터 구성에 적합한 지 확인하십시오. g-코드가 정확하지 않을 수 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G 파일" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG 이미지" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG 이미지" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG 이미지" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP 이미지" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF 이미지" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "레벨 빌드 플레이트" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "업그레이드 선택" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter는 텍스트 모드는 지원하지 않습니다." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "업데이트 정보에 액세스 할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#, python-brace-format +msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" +msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "사용자의 {machine_name}에서 새로운 기능 또는 버그 수정 사항을 사용할 수 있습니다! 완료하지 않은 경우 프린터의 펌웨어를 버전 {latest_version}으로 업데이트하는 것이 좋습니다." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s stable firmware available" +msgstr "안정적인 신규 %s 펌웨어를 사용할 수 있습니다" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" -msgid "Finish" -msgstr "종료" +msgid "How to update" +msgstr "업데이트하는 방법" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +msgctxt "@text" +msgid "Unable to read example data file." +msgstr "예시 데이터 파일을 읽을 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +msgctxt "@info:generic" +msgid "You need to quit and restart {} before changes have effect." +msgstr "변경 사항이 적용되기 전에 {}을(를) 멈추고 다시 시작해야 합니다." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "동기화 중..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Ultimaker 계정에서 변경 사항이 감지되었습니다" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "귀하의 계정으로 재료와 소프트웨어 패키지를 동기화하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 msgctxt "@action:button" -msgid "Cancel" -msgstr "취소" +msgid "Sync" +msgstr "동기화" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "계정에서 거절 및 제거" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +msgctxt "@info:generic" +msgid "{} plugins failed to download" +msgstr "{}개의 플러그인을 다운로드하지 못했습니다" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "거절" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "동의" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "플러그인 사용 계약" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter는 텍스트가 아닌 모드는 지원하지 않습니다." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "내보내기 전에 G-code를 준비하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "와이어 프린팅이 활성화되어 있을 때 Cura는 레이어를 정확하게 표시하지 않습니다." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "시뮬레이션 뷰" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "먼저 슬라이스해야 하기 때문에 아무것도 표시되지 않습니다." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "표시할 레이어 없음" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "다시 메시지 표시 안 함" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "Layer view" +msgstr "레이어 뷰" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "네트워크를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "네트워크를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "네트워크를 통해 연결됨" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "내일" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "오늘" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 +msgctxt "@action" +msgid "Connect via Network" +msgstr "네트워크를 통해 연결" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "현재 작업이 전송될 때까지 기다려주십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "프린트 오류" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "출력 작업이 프린터에 성공적으로 보내졌습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "데이터 전송 됨" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Ultimaker Connect를 실행하지 않는 프린터에 연결하려 합니다. 프린터를 최신 펌웨어로 업데이트해 주십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "프린터 업데이트" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "프린트 작업 대기열이 가득 찼습니다. 프린터가 새 작업을 수락할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "대기열 가득 참" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "인쇄 작업 전송" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "프린트 작업을 프린터로 업로드하고 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura가 {0} 그룹의 호스트 프린터에 설치되지 않은 재료 프로파일을 감지했습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "재료를 프린터로 전송 중" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "데이터를 프린터로 업로드할 수 없음." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "네트워크 오류" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "연결 시도 중인 {0}이(가) 그룹의 호스트가 아닙니다. 웹 페이지에서 그룹 호스트로 설정할 수 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "그룹 호스트 아님" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 +msgctxt "@action" +msgid "Configure group" +msgstr "그룹 설정" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"{printer_name} 프린터를 클라우드를 통해 연결할 수 있습니다.\n" +" 프린터를 Digital Factory에 연결하는 모든 위치에서 프린트 대기열을 관리하고 프린트를 모니터링합니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "클라우드 프린팅이 준비되었습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "시작하기" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "자세히 알아보기" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +msgctxt "@action:button" +msgid "Print via cloud" +msgstr "Cloud를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "Cloud를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "Cloud를 통해 연결됨" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +msgctxt "@action:button" +msgid "Monitor print" +msgstr "프린트 모니터링" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +msgctxt "@action:tooltip" +msgid "Track the print in Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory에서 프린트 추적" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "프린트 작업 업로드 시 알 수 없는 오류 코드: {0}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "Ultimaker 계정에서 새 프린터가 감지되었습니다" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "사용자 계정에서 프린터 {name}({model}) 추가" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 +#, python-brace-format +msgctxt "info:{0} gets replaced by a number of printers" +msgid "... and {0} other" +msgid_plural "... and {0} others" +msgstr[0] "... 및 기타 {0}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "Digital Factory에서 프린터 추가:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 +msgctxt "info:status" +msgid "A cloud connection is not available for a printer" +msgid_plural "A cloud connection is not available for some printers" +msgstr[0] "일부 프린터에서는 클라우드 연결을 사용할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "info:status" +msgid "This printer is not linked to the Digital Factory:" +msgid_plural "These printers are not linked to the Digital Factory:" +msgstr[0] "다음 프린터는 Digital Factory에 연결되어 있지 않습니다:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "연결을 설정하려면 {website_link}에 방문하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "프린터 구성 유지" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "프린터 제거" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "{printer_name} will be removed until the next account sync." +msgstr "다음 계정 동기화 시까지 {printer_name}이(가) 제거됩니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "To remove {printer_name} permanently, visit {digital_factory_link}" +msgstr "{printer_name}을(를) 영구적으로 제거하려면 {digital_factory_link}을(를) 방문하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "Are you sure you want to remove {printer_name} temporarily?" +msgstr "일시적으로 {printer_name}을(를) 제거하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "프린터를 제거하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "그룹 #{group_nr}" +msgid "" +"You are about to remove {0} printer from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgid_plural "" +"You are about to remove {0} printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr[0] "" +"Cura에서 {0} 프린터를 제거하려고 합니다. 이 작업은 실행 취소할 수 없습니다. \n" +"정말로 계속하시겠습니까?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "외벽" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 +msgctxt "@label" +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr "" +"Cura에서 모든 프린터를 제거하려고 합니다. 이 작업은 실행 취소할 수 없습니다. \n" +"정말로 계속하시겠습니까?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "내벽" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "스킨" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "내부채움" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "내부채움 서포트" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "지원하는 인터페이스" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "서포트" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "스커트" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "강조 표시된 영역은 누락되거나 관련 없는 표면을 표시합니다. 모델을 수정하고 Cura에서 다시 엽니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "프라임 타워" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "모델 에러" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "움직임 경로" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "솔리드 뷰" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "리트랙션" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "3MF 파일 작성 중 오류." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "다른" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "3MF 기록기 플러그인이 손상되었습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "릴리즈 노트를 열 수 없습니다." +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "다음" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "여기서 작업 환경을 작성할 권한이 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "건너뛰기" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "운영 체제가 프로젝트 파일을 이 위치로 또는 이 파일명으로 저장하지 못합니다." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "닫기" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF 파일" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura 프로젝트 3MF 파일" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "모니터" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3D 모델 도우미" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" @@ -777,1529 +1781,1529 @@ msgstr "" "

    인쇄 품질 및 안정성을 최고로 높이는 방법을 알아보십시오.

    \n" "

    인쇄 품질 가이드 보기

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." -msgstr "프로젝트 파일 {0}에 알 수 없는 기기 유형 {1}이(가) 포함되어 있습니다. 기기를 가져올 수 없습니다. 대신 모델을 가져옵니다." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +msgctxt "@label" +msgid "Mesh Type" +msgstr "메쉬 유형" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "프로젝트 파일 열기" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "일반 모델" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "프로젝트 파일 {0}에 갑자기 접근할 수 없습니다: {1}." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "서포터로 프린팅" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "프로젝트 파일 열 수 없음" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "오버랩 설정 수정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "프로젝트 파일 {0}이 손상됨: {1}." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "오버랩 지원 안함" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tag !" -msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." -msgstr "프로젝트 파일 {0}이(가) 이 버전의 Ultimaker Cura에서 확인할 수 없는 프로파일을 사용하였습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "추천" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "사용자 정의" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF 파일" +msgid "Infill mesh only" +msgstr "매쉬 내부채움 전용" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF 기록기 플러그인이 손상되었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "여기서 작업 환경을 작성할 권한이 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "운영 체제가 프로젝트 파일을 이 위치로 또는 이 파일명으로 저장하지 못합니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "3MF 파일 작성 중 오류." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF 파일" +msgid "Cutting mesh" +msgstr "커팅 메쉬" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura 프로젝트 3MF 파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF 파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "백업" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "백업을 업로드하는 도중 오류가 있었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "백업 생성 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "백업을 생성하는 도중 오류가 있었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "백업 업로드 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "백업이 업로드를 완료했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "백업이 최대 파일 크기를 초과했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "백업 복원 시도 중 오류가 있었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "백업 관리" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 -msgctxt "@message" -msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." -msgstr "예기치 않은 오류로 인해 슬라이싱에 실패했습니다. 이슈 트래커에 버그를 보고하는 것을 고려하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 -msgctxt "@message:title" -msgid "Slicing failed" -msgstr "슬라이싱 실패" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 -msgctxt "@message:button" -msgid "Report a bug" -msgstr "버그 보고" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 -msgctxt "@message:description" -msgid "Report a bug on Ultimaker Cura's issue tracker." -msgstr "Ultimaker Cura의 이슈 트래커에 버그 보고" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "선택한 소재 또는 구성과 호환되지 않기 때문에 현재 소재로 슬라이스 할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "슬라이스 할 수 없습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "현재 설정으로 슬라이스 할 수 없습니다. 다음 설정에는 오류가 있습니다 : {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" -msgstr "일부 모델별 설정으로 인해 슬라이스할 수 없습니다. 하나 이상의 모델에서 다음 설정에 오류가 있습니다. {error_labels}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "프라임 타워 또는 위치가 유효하지 않아 슬라이스 할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "비활성화된 익스트루더 %s(와)과 연결된 개체가 있기 때문에 슬라이스할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 -msgctxt "@info:status" -msgid "" -"Please review settings and check if your models:\n" -"- Fit within the build volume\n" -"- Are assigned to an enabled extruder\n" -"- Are not all set as modifier meshes" -msgstr "" -"설정을 검토하고 모델이 다음 사항에 해당하는지 확인하십시오.\n" -"- 출력 사이즈 내에 맞춤화됨\n" -"- 활성화된 익스트루더로 할당됨\n" -"- 수정자 메쉬로 전체 설정되지 않음" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "레이어 처리 중" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "정보" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura 프로파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "업데이트 정보에 액세스 할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 -#, python-brace-format -msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" -msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "사용자의 {machine_name}에서 새로운 기능 또는 버그 수정 사항을 사용할 수 있습니다! 완료하지 않은 경우 프린터의 펌웨어를 버전 {latest_version}으로 업데이트하는 것이 좋습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s stable firmware available" -msgstr "안정적인 신규 %s 펌웨어를 사용할 수 있습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "How to update" -msgstr "업데이트하는 방법" +msgid "Select settings" +msgstr "설정 선택" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "이 모델에 맞게 사용자 정의 설정을 선택하십시오" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "필터..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "모두 보이기" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura 백업" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura 버전" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "기기" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "재료" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "프로파일" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "플러그인" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "무엇을 더 하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "지금 백업" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "자동 백업" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Cura가 시작되는 날마다 자동으로 백업을 생성하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "복원" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "백업 삭제" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "이 백업을 삭제하시겠습니까? 이 작업을 완료할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "백업 복원" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "백업이 복원되기 전에 Cura를 다시 시작해야 합니다. 지금 Cura를 닫으시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Cura 설정을 백업, 동기화하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "로그인" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "내 백업" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "현재 백업이 없습니다. ‘지금 백업’ 버튼을 사용하여 생성하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "미리 보기 단계 중에는 보이는 백업 5개로 제한됩니다. 기존 백업을 보려면 백업을 제거하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "프린터 설정" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (너비)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (깊이)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (높이)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "빌드 플레이트 모양" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "중앙이 원점" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "히트 베드" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "히팅 빌드 사이즈" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Gcode 유형" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "프린트헤드 설정" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X 최소값" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y 최소값" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X 최대값" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y 최대값" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "갠트리 높이" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "익스트루더의 수" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "익스트루더 오프셋을 GCode에 적용" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "시작 GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "End GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "노즐 설정" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "노즐 크기" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "호환되는 재료의 직경" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "노즐 오프셋 X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "노즐 오프셋 Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "냉각 팬 번호" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "익스트루더 시작 Gcode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "익스트루더 종료 Gcode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "프린터" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" msgid "Update Firmware" msgstr "펌웨어 업데이트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "압축된 G-code 파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter는 텍스트 모드는 지원하지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code 파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G 코드 파싱" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-코드 세부 정보" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "파일을 보내기 전에 g-코드가 프린터 및 프린터 구성에 적합한 지 확인하십시오. g-코드가 정확하지 않을 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G 파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter는 텍스트가 아닌 모드는 지원하지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "내보내기 전에 G-code를 준비하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG 이미지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG 이미지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG 이미지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP 이미지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF 이미지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 프로파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "기기 설정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "모니터" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" -msgid "Per Model Settings" -msgstr "모델 별 설정" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "펌웨어는 3D 프린터에서 직접 실행되는 소프트웨어입니다. 이 펌웨어는 스텝 모터를 제어하고 온도를 조절하며 프린터를 작동시킵니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "모델 별 설정 구성" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "후 처리" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G 코드 수정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "준비" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "미리 보기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "이동식 드라이브에 저장" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "이동식 드라이브 {0}에 저장" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "쓸 수있는 파일 형식이 없습니다!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "이동식 드라이브 {0}에 저장" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "저장" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "{0}: {1} 에 저장할 수 없습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "{device} 장치에 쓸 때 파일 이름을 찾을 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "이동식 드라이브 {0}: {1} 에 저장할 수 없습니다 :" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "이동식 드라이브 {0}에 {1}로 저장되었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "파일이 저장됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "꺼내기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "이동식 장치 {0} 꺼내기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0}가 배출됐습니다. 이제 드라이브를 안전하게 제거 할 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "하드웨어 안전하게 제거" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "{0}를 배출하지 못했습니다. 다른 프로그램이 드라이브를 사용 중일 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "이동식 드라이브" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "와이어 프린팅이 활성화되어 있을 때 Cura는 레이어를 정확하게 표시하지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "시뮬레이션 뷰" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "먼저 슬라이스해야 하기 때문에 아무것도 표시되지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "표시할 레이어 없음" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "다시 메시지 표시 안 함" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "레이어 뷰" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 -msgctxt "@text" -msgid "Unable to read example data file." -msgstr "예시 데이터 파일을 읽을 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "강조 표시된 영역은 누락되거나 관련 없는 표면을 표시합니다. 모델을 수정하고 Cura에서 다시 엽니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "모델 에러" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "솔리드 뷰" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" -msgid "Support Blocker" -msgstr "서포트 차단기" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "새 프린터와 함께 제공되는 펌웨어는 작동하지만 새로운 버전은 더 많은 기능과 향상된 기능을 제공하는 경향이 있습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "서포트가 프린팅되지 않는 볼륨을 만듭니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "귀하의 계정으로 재료와 소프트웨어 패키지를 동기화하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Ultimaker 계정에서 변경 사항이 감지되었습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" -msgid "Sync" -msgstr "동기화" +msgid "Automatically upgrade Firmware" +msgstr "펌웨어 자동 업그레이드" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "동기화 중..." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "사용자 정의 펌웨어 업로드" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "거절" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "프린터와 연결되지 않아 펌웨어를 업데이트할 수 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "동의" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "프린터와 연결이 펌웨어 업그레이드를 지원하지 않아 펌웨어를 업데이트할 수 없습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "플러그인 사용 계약" +msgid "Select custom firmware" +msgstr "사용자 정의 펌웨어 선택" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "계정에서 거절 및 제거" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "변경 사항이 적용되기 전에 {}을(를) 멈추고 다시 시작해야 합니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{}개의 플러그인을 다운로드하지 못했습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 -msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker 포맷 패키지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "UFP 파일에 쓸 수 없음:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "레벨 빌드 플레이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "업그레이드 선택" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "Cloud를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "Cloud를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "Cloud를 통해 연결됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 -msgctxt "@action:button" -msgid "Monitor print" -msgstr "프린트 모니터링" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 -msgctxt "@action:tooltip" -msgid "Track the print in Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory에서 프린트 추적" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "프린트 작업 업로드 시 알 수 없는 오류 코드: {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "Ultimaker 계정에서 새 프린터가 감지되었습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "사용자 계정에서 프린터 {name}({model}) 추가" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 -#, python-brace-format -msgctxt "info:{0} gets replaced by a number of printers" -msgid "... and {0} other" -msgid_plural "... and {0} others" -msgstr[0] "... 및 기타 {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "Digital Factory에서 프린터 추가:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 -msgctxt "info:status" -msgid "A cloud connection is not available for a printer" -msgid_plural "A cloud connection is not available for some printers" -msgstr[0] "일부 프린터에서는 클라우드 연결을 사용할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 -msgctxt "info:status" -msgid "This printer is not linked to the Digital Factory:" -msgid_plural "These printers are not linked to the Digital Factory:" -msgstr[0] "다음 프린터는 Digital Factory에 연결되어 있지 않습니다:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "연결을 설정하려면 {website_link}에 방문하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "프린터 구성 유지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "프린터 제거" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "{printer_name} will be removed until the next account sync." -msgstr "다음 계정 동기화 시까지 {printer_name}이(가) 제거됩니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "To remove {printer_name} permanently, visit {digital_factory_link}" -msgstr "{printer_name}을(를) 영구적으로 제거하려면 {digital_factory_link}을(를) 방문하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "Are you sure you want to remove {printer_name} temporarily?" -msgstr "일시적으로 {printer_name}을(를) 제거하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" -msgid "Remove printers?" -msgstr "프린터를 제거하시겠습니까?" +msgid "Firmware Update" +msgstr "펌웨어 업데이트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" -msgid "" -"You are about to remove {0} printer from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgid_plural "" -"You are about to remove {0} printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr[0] "" -"Cura에서 {0} 프린터를 제거하려고 합니다. 이 작업은 실행 취소할 수 없습니다. \n" -"정말로 계속하시겠습니까?" +msgid "Updating firmware." +msgstr "펌웨어 업데이트 중." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" -msgid "" -"You are about to remove all printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr "" -"Cura에서 모든 프린터를 제거하려고 합니다. 이 작업은 실행 취소할 수 없습니다. \n" -"정말로 계속하시겠습니까?" +msgid "Firmware update completed." +msgstr "펌웨어 업데이트가 완료되었습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "{printer_name} 프린터를 클라우드를 통해 연결할 수 있습니다.\n 프린터를 Digital Factory에 연결하는 모든 위치에서 프린트 대기열을 관리하고 프린트를 모니터링합니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "클라우드 프린팅이 준비되었습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "시작하기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "자세히 알아보기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Ultimaker Connect를 실행하지 않는 프린터에 연결하려 합니다. 프린터를 최신 펌웨어로 업데이트해 주십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "프린터 업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura가 {0} 그룹의 호스트 프린터에 설치되지 않은 재료 프로파일을 감지했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "재료를 프린터로 전송 중" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "연결 시도 중인 {0}이(가) 그룹의 호스트가 아닙니다. 웹 페이지에서 그룹 호스트로 설정할 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "그룹 호스트 아님" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "그룹 설정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "현재 작업이 전송될 때까지 기다려주십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "프린트 오류" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "데이터를 프린터로 업로드할 수 없음." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "네트워크 오류" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "인쇄 작업 전송" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "프린트 작업을 프린터로 업로드하고 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "프린트 작업 대기열이 가득 찼습니다. 프린터가 새 작업을 수락할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "대기열 가득 참" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "출력 작업이 프린터에 성공적으로 보내졌습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "데이터 전송 됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "네트워크를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "네트워크를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "네트워크를 통해 연결됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "네트워크를 통해 연결" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "내일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "오늘" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "USB를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "USB를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "USB를 통해 연결" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "USB 인쇄가 진행 중입니다. Cura를 닫으면 인쇄도 중단됩니다. 계속하시겠습니까?" +msgid "Firmware update failed due to an unknown error." +msgstr "알 수 없는 오류로 인해 펌웨어 업데이트에 실패했습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "프린트가 아직 진행 중입니다. Cura는 이전 프린트가 완료될 때까지는 USB를 통해 다른 프린트를 시작할 수 없습니다." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "통신 오류로 인해 펌웨어 업데이트에 실패했습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "프린트 진행 중" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "입/출력 오류로 인해 펌웨어 업데이트에 실패했습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D 파일" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "펌웨어 누락으로 인해 펌웨어 업데이트에 실패했습니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "엑스레이 뷰" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "이 출력물에는 문제가있을 수 있습니다. 조정을 위한 도움말을 보려면 클릭하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "프로젝트 열기" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "기존 업데이트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "새로 만들기" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "요약 - Cura 프로젝트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "프린터 설정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "기기의 충돌을 어떻게 해결해야합니까?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "유형" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "프린터 그룹" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "프로파일 설정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "프로파일의 충돌을 어떻게 해결해야합니까?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "이름" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "프로파일에 없음" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 무시" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivative from" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 무시" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "재료 설정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "재료의 충돌은 어떻게 해결되어야합니까?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "표시 설정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "종류" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "표시 설정 :" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "1 out of %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "프로젝트를 로드하면 빌드 플레이트의 모든 모델이 지워집니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "열기" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "무엇을 더 하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "지금 백업" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "자동 백업" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Cura가 시작되는 날마다 자동으로 백업을 생성하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "복원" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "백업 삭제" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "이 백업을 삭제하시겠습니까? 이 작업을 완료할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "백업 복원" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "백업이 복원되기 전에 Cura를 다시 시작해야 합니다. 지금 Cura를 닫으시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura 버전" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "기기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "재료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "프로파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "플러그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura 백업" +msgid "Post Processing Plugin" +msgstr "후처리 플러그인" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "내 백업" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "현재 백업이 없습니다. ‘지금 백업’ 버튼을 사용하여 생성하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "미리 보기 단계 중에는 보이는 백업 5개로 제한됩니다. 기존 백업을 보려면 백업을 제거하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Cura 설정을 백업, 동기화하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "로그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "펌웨어 업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "펌웨어는 3D 프린터에서 직접 실행되는 소프트웨어입니다. 이 펌웨어는 스텝 모터를 제어하고 온도를 조절하며 프린터를 작동시킵니다." +msgid "Post Processing Scripts" +msgstr "후처리 스크립트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "스크립트 추가" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "새 프린터와 함께 제공되는 펌웨어는 작동하지만 새로운 버전은 더 많은 기능과 향상된 기능을 제공하는 경향이 있습니다." +msgid "Settings" +msgstr "설정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "펌웨어 자동 업그레이드" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "활성 사후 처리 스크립트를 변경하십시오." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "사용자 정의 펌웨어 업로드" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "다음 스크립트들이 활성화됩니다:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "프린터와 연결되지 않아 펌웨어를 업데이트할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "프린터와 연결이 펌웨어 업그레이드를 지원하지 않아 펌웨어를 업데이트할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "사용자 정의 펌웨어 선택" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "펌웨어 업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "펌웨어 업데이트 중." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "펌웨어 업데이트가 완료되었습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "알 수 없는 오류로 인해 펌웨어 업데이트에 실패했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "통신 오류로 인해 펌웨어 업데이트에 실패했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "입/출력 오류로 인해 펌웨어 업데이트에 실패했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "펌웨어 누락으로 인해 펌웨어 업데이트에 실패했습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "이미지 변환 ..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "\"Base\"에서 각 픽셀까지의 최대 거리." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "높이 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "밀리미터 단위의 빌드 플레이트에서 기저부 높이." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "바닥 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "빌드 플레이트의 폭 (밀리미터)." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "너비 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "빌드 플레이트의 깊이 (밀리미터)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "깊이 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "리쏘페인(투각)의 경우 들어오는 더 많은 빛을 차단하기 위해서는 다크 픽셀이 더 두꺼운 위치에 해당해야 합니다. 높이 지도의 경우 더 밝은 픽셀이 더 높은 지역을 나타냅니다. 따라서 생성된 3D 모델에서 더 밝은 픽셀이 더 두꺼운 위치에 해당해야 합니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "어두울수록 높음" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "밝을수록 높음" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "리쏘페인의 경우 반투명성을 위한 간단한 로그 모델을 사용할 수 있습니다. 높이 지도의 경우, 픽셀 값은 높이에 선형적으로 부합합니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "직선 모양" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "반투명성" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "두께가 1mm인 출력물을 관통하는 빛의 비율 이 값을 낮추면 어두운 부분의 대조가 증가하고 이미지의 밝은 부분의 대조가 감소합니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1mm의 투과율(%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "이미지에 적용할 스무딩(smoothing)의 정도." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "스무딩(smoothing)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "확인" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "이 Ultimaker Original에 업그레이드 할 항목을 선택하십시오" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "히팅 빌드 플레이트 (공식 키트 또는 자체 조립식)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "빌드 플레이트 레벨링" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "프린팅이 잘 되도록 빌드 플레이트를 조정할 수 있습니다. '다음 위치로 이동'을 클릭하면 노즐이 조정할 수있는 다른 위치로 이동합니다." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "모든 자리에; 노즐 아래에 종이 한 장을 넣고 프린팅 빌드 플레이트 높이를 조정하십시오. 빌드플레이드의 높이는 종이의 끝 부분이 노즐의 끝부분으로 살짝 닿을 때의 높이입니다." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "빌드플레이트 레벨링 시작하기" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "다음 위치로 이동" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "익명 데이터 수집에 대한 추가 정보" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura는 인쇄 품질과 사용자 경험을 개선하기 위해 익명 데이터를 수집합니다. 공유되는 모든 데이터의 예는 다음과 같습니다:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "익명 데이터 전송을 원하지 않습니다" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "익명 데이터 전송 허용" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "시장" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "패키지의 변경 사항이 적용되기 전에 Cura를 다시 시작해야 합니다." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "%1 종료" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "설치" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "설치됨" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "프리미엄" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "웹 마켓플레이스로 이동" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "재료 검색" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "호환성" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "기기" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "빌드 플레이트" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "서포트" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "품질" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "기술 데이터 시트" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "안전 데이터 시트" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "인쇄 가이드라인" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "웹 사이트" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "설치 또는 업데이트에 로그인 필요" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "재료 스플 구입" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "업데이트" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "업데이트 중" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "업데이트됨" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "뒤로" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "프린터" +msgid "Plugins" +msgstr "플러그인" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "노즐 설정" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "재료" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "설치됨" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "노즐 크기" +msgid "Will install upon restarting" +msgstr "다시 시작 시 설치 예정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "업데이트에 로그인 필요" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "다운그레이드" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "설치 제거" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "커뮤니티 기여" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "호환되는 재료의 직경" +msgid "Community Plugins" +msgstr "커뮤니티 플러그인" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "노즐 오프셋 X" +msgid "Generic Materials" +msgstr "일반 재료" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "패키지 가져오는 중..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "노즐 오프셋 Y" +msgid "Website" +msgstr "웹 사이트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "냉각 팬 번호" +msgid "Email" +msgstr "이메일" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "익스트루더 시작 Gcode" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Ultimaker Cura Enterprise용으로 검증된 플러그인 및 재료를 받으려면 로그인하십시오." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "익스트루더 종료 Gcode" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "프린터 설정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (너비)" +msgid "Version" +msgstr "버전" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (깊이)" +msgid "Last updated" +msgstr "마지막으로 업데이트한 날짜" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (높이)" +msgid "Brand" +msgstr "상표" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "빌드 플레이트 모양" +msgid "Downloads" +msgstr "다운로드" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "설치된 플러그인" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "설치된 플러그인이 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "설치된 재료" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "설치된 재료가 없습니다." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "번들 플러그인" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "번들 재료" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Cura 패키지 데이터베이스에 연결할 수 없습니다. 연결을 확인하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "중앙이 원점" +msgid "You need to accept the license to install the package" +msgstr "패키지를 설치하려면 라이선스를 수락해야 합니다" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "계정의 변경 사항" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "취소" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "다음 것" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "히트 베드" +msgid "The following packages will be added:" +msgstr "다음 패키지가 추가됩니다:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "히팅 빌드 사이즈" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "호환되지 않는 Cura 버전이기 때문에 다음 패키지를 설치할 수 없습니다:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "제거 확인" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "아직 사용 중인 재료 및/또는 프로파일을 제거합니다. 확인하면 다음 재료/프로파일이 기본값으로 재설정됩니다." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "재료" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "프로파일" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "확인" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Gcode 유형" +msgid "Color scheme" +msgstr "색 구성표" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "프린트헤드 설정" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "재료 색상" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "라인 유형" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "속도" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "레이어 두께" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "선 두께" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "유량" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X 최소값" +msgid "Compatibility Mode" +msgstr "호환 모드" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y 최소값" +msgid "Travels" +msgstr "이동" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X 최대값" +msgid "Helpers" +msgstr "도움말" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y 최대값" +msgid "Shell" +msgstr "외곽" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "갠트리 높이" +msgid "Infill" +msgstr "내부채움" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "익스트루더의 수" +msgid "Starts" +msgstr "시작" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "익스트루더 오프셋을 GCode에 적용" +msgid "Only Show Top Layers" +msgstr "상단 레이어 만 표시" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "시작 GCode" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "상단에 5 개의 세부 레이어 표시" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "End GCode" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "위 / 아래" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "내벽" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "최소" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "최대" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "프린터 관리" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "유리" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "대기열을 원격으로 관리하려면 프린터 펌웨어를 업데이트하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "클라우드 프린터용 Webcam 피드는 Ultimaker Cura에서 볼 수 없습니다. '프린터 관리'를 클릭하여 Ultimaker Digital Factory를 방문하고 이 웹캠을 확인하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "로딩 중..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "사용불가" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "연결할 수 없음" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "대기 상태" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "준비 중..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "제목 없음" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "익명" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "구성 변경 필요" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "세부 사항" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "사용할 수 없는 프린터" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "첫 번째로 사용 가능" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "대기 중" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "브라우저에서 관리" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "대기열에 프린팅 작업이 없습니다. 작업을 추가하려면 슬라이스하여 전송하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "인쇄 작업" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "총 인쇄 시간" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "대기" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "네트워크를 통해 프린팅" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "프린트" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "프린터 선택" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "구성 변경" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "무시하기" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "할당된 프린터 %1의 구성을 다음과 같이 변경해야 합니다:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "프린터 %1이(가) 할당되었으나 작업에 알 수 없는 재료 구성이 포함되어 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "재료 %1을(를) %2에서 %3(으)로 변경합니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3을(를) 재료 %1(으)로 로드합니다(이 작업은 무효화할 수 없음)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "PrintCore %1을(를) %2에서 %3(으)로 변경합니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "빌드 플레이트를 %1(으)로 변경합니다(이 작업은 무효화할 수 없음)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "무시하기는 기존 프린터 구성과 함께 지정된 설정을 사용하게 됩니다. 이는 인쇄 실패로 이어질 수 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "알루미늄" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "끝마친" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "중지 중..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "중단됨" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "일시 정지 중..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "일시 중지됨" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "다시 시작..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "조치가 필요함" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "%2에서 %1 완료" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "네트워크 프린터에 연결" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "네트워크를 통해 프린터로 직접 프린팅하려면 네트워크 케이블을 사용하거나 프린터를 WIFI 네트워크에 연결하여 프린터가 네트워크에 연결되어 있는지 확인하십시오. Cura를 프린터에 연결하지 않은 경우에도 USB 드라이브를 사용하여 g-코드 파일을 프린터로 전송할 수 있습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "아래 목록에서 프린터를 선택하십시오:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "편집" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "제거" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "새로고침" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "프린터가 목록에 없으면 네트워크 프린팅 문제 해결 가이드를 읽어보십시오" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "유형" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "펌웨어 버전" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "주소" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "이 프린터는 프린터 그룹을 호스트하도록 설정되어 있지 않습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "이 프린터는 %1개 프린터 그룹의 호스트입니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "이 주소의 프린터가 아직 응답하지 않았습니다." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "연결" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "잘못된 IP 주소" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "유효한 IP 주소를 입력하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "프린터 주소" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "네트워크에 있는 프린터의 IP 주소를 입력하십시오." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "맨 위로 이동" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "삭제" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "재개" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "일시 정지 중..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "다시 시작..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "중지" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "중지 중..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "중단" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "%1(을)를 대기열의 맨 위로 이동하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "인쇄 작업을 맨 위로 이동" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "%1(을)를 삭제하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "인쇄 작업 삭제" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "%1(을)를 정말로 중지하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "프린팅 중단" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2310,1486 +3314,433 @@ msgstr "" "프린터에 연결이 있는지 확인하십시오.⏎- 프린터가 켜져 있는지 확인하십시오.\n" "- 프린터가 네트워크에 연결되어 있는지 확인하십시오.⏎- 클라우드로 연결된 프린터를 탐색할 수 있도록 로그인되어 있는지 확인하십시오." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "프린터를 네트워크에 연결하십시오." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "사용자 매뉴얼 온라인 보기" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Cura에서 프린트를 모니터링하려면 프린터를 연결하십시오." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "메쉬 유형" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "일반 모델" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "서포터로 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "오버랩 설정 수정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "오버랩 지원 안함" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "매쉬 내부채움 전용" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "커팅 메쉬" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "설정 선택" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "이 모델에 맞게 사용자 정의 설정을 선택하십시오" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "필터..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "모두 보이기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "후처리 플러그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "후처리 스크립트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "스크립트 추가" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "설정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "활성 사후 처리 스크립트를 변경하십시오." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "이 출력물에는 문제가있을 수 있습니다. 조정을 위한 도움말을 보려면 클릭하십시오." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "다음 스크립트들이 활성화됩니다:" +msgid "3D View" +msgstr "3D 보기" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "색 구성표" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "재료 색상" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "라인 유형" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "속도" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "레이어 두께" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "선 두께" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "유량" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "호환 모드" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "이동" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "도움말" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "외곽" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "내부채움" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "시작" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "상단 레이어 만 표시" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "상단에 5 개의 세부 레이어 표시" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "위 / 아래" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "내벽" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "최소" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "최대" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "익명 데이터 수집에 대한 추가 정보" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura는 인쇄 품질과 사용자 경험을 개선하기 위해 익명 데이터를 수집합니다. 공유되는 모든 데이터의 예는 다음과 같습니다:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "익명 데이터 전송을 원하지 않습니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "익명 데이터 전송 허용" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "뒤로" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "호환성" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "기기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "빌드 플레이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "서포트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "품질" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "기술 데이터 시트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "안전 데이터 시트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "인쇄 가이드라인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "웹 사이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "설치됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "설치 또는 업데이트에 로그인 필요" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "재료 스플 구입" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "업데이트 중" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "업데이트됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "프리미엄" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "웹 마켓플레이스로 이동" +msgid "Front View" +msgstr "앞에서 보기" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "위에서 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "왼쪽 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "오른쪽 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "재료 검색" +msgid "Object list" +msgstr "개체 목록" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "패키지의 변경 사항이 적용되기 전에 Cura를 다시 시작해야 합니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1 종료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "플러그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "재료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "설치됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "다시 시작 시 설치 예정" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "업데이트에 로그인 필요" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "다운그레이드" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "설치 제거" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "설치" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "계정의 변경 사항" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "취소" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "다음 것" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "다음 패키지가 추가됩니다:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "호환되지 않는 Cura 버전이기 때문에 다음 패키지를 설치할 수 없습니다:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "제거 확인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "아직 사용 중인 재료 및/또는 프로파일을 제거합니다. 확인하면 다음 재료/프로파일이 기본값으로 재설정됩니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "재료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "프로파일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "확인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "패키지를 설치하려면 라이선스를 수락해야 합니다" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "웹 사이트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "이메일" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "버전" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "마지막으로 업데이트한 날짜" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "상표" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "다운로드" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "커뮤니티 기여" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "커뮤니티 플러그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "일반 재료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Cura 패키지 데이터베이스에 연결할 수 없습니다. 연결을 확인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "설치된 플러그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "설치된 플러그인이 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "설치된 재료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "설치된 재료가 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "번들 플러그인" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "번들 재료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "패키지 가져오는 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Ultimaker Cura Enterprise용으로 검증된 플러그인 및 재료를 받으려면 로그인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "시장" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "빌드 플레이트 레벨링" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "파일" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "프린팅이 잘 되도록 빌드 플레이트를 조정할 수 있습니다. '다음 위치로 이동'을 클릭하면 노즐이 조정할 수있는 다른 위치로 이동합니다." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "편집(&E)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "모든 자리에; 노즐 아래에 종이 한 장을 넣고 프린팅 빌드 플레이트 높이를 조정하십시오. 빌드플레이드의 높이는 종이의 끝 부분이 노즐의 끝부분으로 살짝 닿을 때의 높이입니다." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "보기(&V)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "빌드플레이트 레벨링 시작하기" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "설정" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "다음 위치로 이동" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "확장 프로그램(&X)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "이 Ultimaker Original에 업그레이드 할 항목을 선택하십시오" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "환경설정(&R)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "히팅 빌드 플레이트 (공식 키트 또는 자체 조립식)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "도움말(&H)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "네트워크 프린터에 연결" +msgid "New project" +msgstr "새 프로젝트" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "네트워크를 통해 프린터로 직접 프린팅하려면 네트워크 케이블을 사용하거나 프린터를 WIFI 네트워크에 연결하여 프린터가 네트워크에 연결되어 있는지 확인하십시오. Cura를 프린터에 연결하지 않은 경우에도 USB 드라이브를 사용하여 g-코드 파일을 프린터로 전송할 수 있습니다." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "새 프로젝트를 시작 하시겠습니까? 빌드 플레이트 및 저장하지 않은 설정이 지워집니다." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "아래 목록에서 프린터를 선택하십시오:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "편집" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "제거" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "새로고침" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "프린터가 목록에 없으면 네트워크 프린팅 문제 해결 가이드를 읽어보십시오" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "유형" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "펌웨어 버전" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "주소" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "이 프린터는 프린터 그룹을 호스트하도록 설정되어 있지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "이 프린터는 %1개 프린터 그룹의 호스트입니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "이 주소의 프린터가 아직 응답하지 않았습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "연결" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "잘못된 IP 주소" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "유효한 IP 주소를 입력하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "프린터 주소" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "네트워크에 있는 프린터의 IP 주소를 입력하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "구성 변경" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "무시하기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "할당된 프린터 %1의 구성을 다음과 같이 변경해야 합니다:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "프린터 %1이(가) 할당되었으나 작업에 알 수 없는 재료 구성이 포함되어 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "재료 %1을(를) %2에서 %3(으)로 변경합니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "%3을(를) 재료 %1(으)로 로드합니다(이 작업은 무효화할 수 없음)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "PrintCore %1을(를) %2에서 %3(으)로 변경합니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "빌드 플레이트를 %1(으)로 변경합니다(이 작업은 무효화할 수 없음)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "무시하기는 기존 프린터 구성과 함께 지정된 설정을 사용하게 됩니다. 이는 인쇄 실패로 이어질 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "유리" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "알루미늄" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "맨 위로 이동" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "삭제" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "재개" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "일시 정지 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "다시 시작..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "중지" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "중지 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "중단" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "%1(을)를 대기열의 맨 위로 이동하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "인쇄 작업을 맨 위로 이동" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "%1(을)를 삭제하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "인쇄 작업 삭제" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "%1(을)를 정말로 중지하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "프린팅 중단" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "프린터 관리" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "대기열을 원격으로 관리하려면 프린터 펌웨어를 업데이트하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "클라우드 프린터용 Webcam 피드는 Ultimaker Cura에서 볼 수 없습니다. '프린터 관리'를 클릭하여 Ultimaker Digital Factory를 방문하고 이 웹캠을 확인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "로딩 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "사용불가" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "연결할 수 없음" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "대기 상태" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "준비 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "제목 없음" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "익명" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "구성 변경 필요" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "세부 사항" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "사용할 수 없는 프린터" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "첫 번째로 사용 가능" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "중단됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "끝마친" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "중지 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "일시 정지 중..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "일시 중지됨" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "다시 시작..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "조치가 필요함" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "%2에서 %1 완료" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "대기 중" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "브라우저에서 관리" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "대기열에 프린팅 작업이 없습니다. 작업을 추가하려면 슬라이스하여 전송하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "인쇄 작업" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "총 인쇄 시간" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "대기" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "네트워크를 통해 프린팅" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "프린트" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "프린터 선택" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "로그인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Ultimaker 플랫폼에 로그인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- 재료 설정 및 Marketplace 플러그인 추가\n" -"- 재료 설정과 플러그인 백업 및 동기화\n" -"- Ultimaker 커뮤니티에서 48,000명 이상의 사용자와 아이디어를 공유하고 도움 받기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Ultimaker 계정 무료 생성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "확인 중..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "계정 동기화됨" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "오류가 발생하였습니다..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "보류된 업데이트 설치" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "계정 업데이트 확인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "마지막 업데이트: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker 계정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "로그아웃" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "시간 추산 이용 불가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "비용 추산 이용 불가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "미리 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "시간 추산" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "재료 추산" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "슬라이싱..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "슬라이스 할 수 없습니다" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "처리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "슬라이스" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "슬라이싱 프로세스 시작" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "취소" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "온라인 문제 해결 가이드 표시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "전채 화면 전환" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "전체 화면 종료" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "되돌리기(&U)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "다시하기(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "종료(&Q)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "앞에서 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "위에서 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "하단 뷰" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "왼쪽에서 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "오른쪽에서 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Cura 구성 ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "프린터 추가..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "프린터 관리 ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "재료 관리..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "마켓플레이스에서 더 많은 재료 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "현재 설정으로로 프로파일 업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "현재 변경 사항 무시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "현재 설정으로 프로파일 생성..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "프로파일 관리..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "온라인 문서 표시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "버그 리포트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "새로운 기능" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "소개..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "선택 항목 삭제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "선택 항목 가운데 정렬" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "선택 항목 복제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "모델 삭제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "플랫폼중심에 모델 위치하기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "모델 그룹화" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "모델 그룹 해제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "모델 합치기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "모델 복제..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "모든 모델 선택" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "빌드 플레이트 지우기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "모든 모델 다시 로드" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "모든 모델을 모든 빌드 플레이트에 정렬" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "모든 모델 정렬" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "선택한 모델 정렬" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "모든 모델의 위치 재설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "모든 모델의 변환 재설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "파일 열기..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "새로운 프로젝트..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "설정 폴더 표시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "설정 보기..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&시장" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "내 프린터" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Ultimaker Digital Factory의 프린터를 모니터링하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Digital Library에서 프린트 프로젝트를 생성하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "인쇄 작업" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "프린트 작업을 모니터링하고 프린트 기록에서 다시 프린트하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "플러그인 및 재료 프로파일을 사용하여 Ultimaker Cura를 확장하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Ultimaker e-러닝을 통해 3D 프린팅 전문가로 거듭나십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ultimaker support" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Ultimaker Cura로 시작하는 방법을 알아보십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "질문하기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Ultimaker 커뮤니티에 문의하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "버그 리포트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "개발자에게 문제를 알려주십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Ultimaker 웹 사이트를 방문하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "다시 시작한 후에 이 패키지가 설치됩니다." +msgid "Time estimation" +msgstr "시간 추산" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "일반" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "재료 추산" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "설정" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "프린터" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "프로파일" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "시간 추산 이용 불가" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 닫기" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "비용 추산 이용 불가" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "%1을(를) 정말로 종료하시겠습니까?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "미리 보기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "파일 열기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "패키지 설치" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "파일 열기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "선택한 파일 내에 하나 이상의 G-코드 파일이 있습니다. 한 번에 하나의 G-코드 파일 만 열 수 있습니다. G-코드 파일을 열려면 하나만 선택하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "프린터 추가" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "네트워크 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "비 네트워크 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "클라우드 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "클라우드 응답 대기" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "사용자의 계정에 프린터가 없습니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "사용자의 계정에 있는 다음 프린터를 Cura에 추가하였습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "수동으로 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "IP 주소로 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "프린터의 IP 주소를 입력하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "장치에 연결할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Ultimaker 프린터로 연결할 수 없습니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "이 주소의 프린터가 아직 응답하지 않았습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "알 수 없는 프린터이거나 그룹의 호스트가 아니기 때문에 이 프린터를 추가할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "뒤로" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "연결" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "사용자 계약" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "거절 및 닫기" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Ultimaker Cura에 오신 것을 환영합니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "Ultimaker Cura를 설정하려면 다음 단계로 이동하세요. 오래 걸리지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "시작하기" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Ultimaker 플랫폼에 로그인" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "재료 설정 및 Marketplace 플러그인 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "재료 설정과 플러그인 백업 및 동기화" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Ultimaker 커뮤니티에서 48,000명 이상의 사용자와 아이디어를 공유하고 도움 받기" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "건너뛰기" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Ultimaker 계정 무료 생성" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "제조업체" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "프로파일 원작자" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "프린터 이름" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "프린터의 이름을 설정하십시오" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "네트워크에서 검색된 프린터가 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "새로고침" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "IP로 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "클라우드 프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "문제 해결" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Ultimaker Cura를 개선하는 데 도움을 주십시오" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura는 인쇄 품질과 사용자 경험을 개선하기 위해 다음과 같은 익명 데이터를 수집합니다:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "기기 유형" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "재료 사용" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "슬라이드 수" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "인쇄 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Ultimaker Cura가 수집하는 데이터에는 개인 정보가 포함되어 있지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "추가 정보" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "새로운 기능" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "비어 있음" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "릴리즈 노트" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "%1 정보" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "버전: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "3D 프린팅을 위한 엔드 투 엔트 솔루션." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3798,183 +3749,204 @@ msgstr "" "Cura는 커뮤니티와 공동으로 Ultimaker B.V.에 의해 개발되었습니다.\n" "Cura는 다음의 오픈 소스 프로젝트를 사용합니다:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "그래픽 사용자 인터페이스" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "애플리케이션 프레임 워크" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "GCode 생성기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "프로세스간 통신 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "프로그래밍 언어" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI 프레임 워크" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI 프레임 워크 바인딩" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C ++ 바인딩 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "데이터 교환 형식" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "과학 컴퓨팅을 위한 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "더 빠른 수학연산을 위한 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "STL 파일 처리를 위한 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "평면 개체 처리를 위한 지원 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "삼각형 메쉬 처리를 위한 지원 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "3MF 파일 처리를 위한 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "파일 메타데이터 및 스트리밍을 위한 지원 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "직렬 통신 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf discovery 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "다각형 클리핑 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Python용 정적 유형 검사기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "SSL 신뢰성 검증용 루트 인증서" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Python 오류 추적 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "폴리곤 패킹 라이브러리, Prusa Research 개발" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "libnest2d용 Python 바인딩" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "시스템 키링 액세스를 위한 서포트 라이브러리" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Microsoft Windows용 Python 확장" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "폰트" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG 아이콘" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux 교차 배포 응용 프로그램 배포" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "프로젝트 파일 열기" +msgid "Open file(s)" +msgstr "파일 열기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "이 파일은 Cura 프로젝트 파일입니다. 프로젝트로 열거나 모델을 가져 오시겠습니까?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "선택한 파일 내에 하나 이상의 프로젝트 파일이 있습니다. 한 번에 하나의 프로젝트 파일 만 열 수 있습니다. 해당 파일에서 모델 만 가져 오기를 권장합니다. 계속 하시겠습니까?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "선택 기억하기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "프로젝트로 열기" +msgid "Import all as models" +msgstr "모두 모델로 가져 오기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "프로젝트 저장" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "%1익스트루더" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & 재료" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "재료" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "프로젝트 요약을 다시 저장하지 마십시오" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "모델 가져 오기" +msgid "Save" +msgstr "저장" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "변경 사항 삭제 또는 유지" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3985,1247 +3957,144 @@ msgstr "" "프로파일 전환 후에도 변경된 설정을 유지하시겠습니까?\n" "또는 변경 사항을 버리고 '%1'에서 기본값을 로드할 수 있습니다." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "프로파일 설정" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "현재 변경 사항" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "항상 묻기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "최소하고 다시 묻지않기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "계속하고 다시 묻지않기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "변경 사항 삭제" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "변경 사항 유지" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "프로젝트 파일 열기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "선택한 파일 내에 하나 이상의 프로젝트 파일이 있습니다. 한 번에 하나의 프로젝트 파일 만 열 수 있습니다. 해당 파일에서 모델 만 가져 오기를 권장합니다. 계속 하시겠습니까?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "이 파일은 Cura 프로젝트 파일입니다. 프로젝트로 열거나 모델을 가져 오시겠습니까?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "선택 기억하기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "모두 모델로 가져 오기" +msgid "Open as project" +msgstr "프로젝트로 열기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "프로젝트 저장" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "%1익스트루더" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & 재료" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "재료" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "프로젝트 요약을 다시 저장하지 마십시오" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "저장" +msgid "Import models" +msgstr "모델 가져 오기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "선택한 모델을 %1로 프린팅하십시오" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "제목 없음" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "파일" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "편집(&E)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "보기(&V)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "확장 프로그램(&X)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "환경설정(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "도움말(&H)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "새 프로젝트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "새 프로젝트를 시작 하시겠습니까? 빌드 플레이트 및 저장하지 않은 설정이 지워집니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "시장" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "구성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "%1이(가) 인식되지 않기 때문에 이 구성을 사용할 수 없습니다. %2에 방문하여 올바른 재료 프로파일을 다운로드하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "시장" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "프린터에서 사용 가능한 구성 로딩 중..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "프린터가 연결되어 있지 않기 때문에 구성을 사용할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "구성 선택" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "구성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "사용자 정의" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "프린터" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "실행됨" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "재료" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "더 나은 접착력을 위해 이 재료 조합과 함께 접착제를 사용하십시오.." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "선택된 모델 프린팅 :" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "선택한 모델 복" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "복제할 수" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "프로젝트 저장(&S)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "내보내기(&E)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "내보내기 선택..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "재료" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "즐겨찾기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "일반" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "파일 여는 중..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "네트워크 프린터" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "로컬 프린터" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "최근 열어본 파일 열기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "프로젝트 저장 중..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "프린터(&P)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "재료(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "활성 익스트루더로 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "익스트루더 사용" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "익스트루더 사용하지 않음" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "표시 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "모든 카테고리 붕괴" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "보기 설정 관리..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "카메라 위치(&C)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "카메라 뷰" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "원근" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "직교" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "빌드 플레이트(&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "프린터에 연결되지 않음" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "프린터가 명령을 받아들이지 않습니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "유지 보수 중. 프린터를 확인하십시오" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "프린터와의 연결이 끊어졌습니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "프린팅..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "일시 중지됨" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "준비 중..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "프린트물을 제거하십시오" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "프린팅 중단" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "프린팅를 중단 하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "지원으로 프린팅됩니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "이 모델과 중복되는 다른 모델은 수정됩니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "이 모델과 중복되는 내부채움은 수정됩니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "이 모델과의 중복은 지원되지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "%1 설정을 덮어씁니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "개체 목록" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "인터페이스" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "통화:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "테마:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "이러한 변경 사항을 적용하려면 응용 프로그램을 다시 시작해야합니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "설정이 변경되면 자동으로 슬라이싱 합니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "자동으로 슬라이싱" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "뷰포트 동작" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "지원되지 않는 모델 영역을 빨간색으로 강조 표시하십시오. 서포트가 없으면 이 영역이 제대로 프린팅되지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "오버행 표시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "경고 기호를 사용해 모델에서 누락되거나 관계 없는 표면을 강조 표시합니다. 도구 경로에서는 종종 의도한 형상의 일부가 누락됩니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "모델 오류 표시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "모델을 선택하면 모델이 뷰의 가운데에 오도록 카메라를 이동합니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "항목을 선택하면 카메라를 중앙에 위치" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "큐라의 기본 확대 동작을 반전시켜야 합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "카메라 줌의 방향을 반전시키기." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "확대가 마우스 방향으로 이동해야 합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "정투영법 시점에서는 마우스 방향으로 확대가 지원되지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "마우스 방향으로 확대" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "모델을 더 이상 교차시키지 않도록 이동해야합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "모델이 분리되어 있는지 확인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "모델을 빌드 플레이트에 닿도록 아래로 움직여야합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "모델을 빌드 플레이트에 자동으로 놓기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "g-code 리더에 주의 메시지를 표시하기." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "g-code 리더의 주의 메시지" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "레이어가 호환 모드로 강제 설정되어야합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "레이어 뷰 호환성 모드로 전환 (다시 시작해야 함)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "닫힌 위치에서 Cura를 열어야 합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "시작 시 창 위치 복원" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "어떤 유형의 카메라 렌더링을 사용해야 합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "카메라 렌더링:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "원근" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "정투영" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "파일 열기 및 저장" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "데스크톱 또는 외부 애플리케이션의 파일을 동일한 Cura 인스턴스에서 엽니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Cura의 단일 인스턴스 사용" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Cura의 단일 인스턴스에서 새 모델을 로드하기 전에 빌드 플레이트를 지워야 합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "모델을 단일 인스턴스로 로드하기 전에 빌드 플레이트 지우기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "크기가 너무 큰 경우 모델을 빌드 볼륨에 맞게 조정해야합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "큰 모델의 사이즈 수정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "단위가 밀리미터가 아닌 미터 단위 인 경우 모델이 매우 작게 나타날 수 있습니다. 이 모델을 확대할까요?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "매우 작은 모델의 크기 조정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "모델을 로드한 후에 선택해야 합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "로드된 경우 모델 선택" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "프린터 이름에 기반한 접두어가 프린팅 작업 이름에 자동으로 추가되어야합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "작업 이름에 기기 접두어 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "프로젝트 파일을 저장할 때 요약이 표시되어야합니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "프로젝트 저장시 요약 대화 상자 표시" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "프로젝트 파일을 열 때 기본 동작" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "프로젝트 파일을 열 때 기본 동작 " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "항상 묻기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "항상 프로젝트로 열기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "항상 모델 가져 오기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "프로파일을 변경하고 다른 프로파일로 전환하면 수정 사항을 유지할지 여부를 묻는 대화 상자가 표시됩니다. 기본 행동을 선택하면 해당 대화 상자를 다시 표시 하지 않을 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "프로파일" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "다른 프로파일로 변경하는 경우 변경된 설정값에 대한 기본 동작 " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "항상 변경된 설정 삭제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "항상 변경된 설정을 새 프로파일로 전송" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "보안" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "프린터에 대한 익명의 데이터를 Ultimaker로 보낼까요? 모델, IP 주소 또는 기타 개인 식별 정보는 전송되거나 저장되지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(익명) 프린터 정보 보내기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "추가 정보" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Cura가 프로그램이 시작될 때 업데이트를 확인할까요?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "시작시 업데이트 확인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "업데이트 사항을 확인할 때 안정적인 릴리즈만 확인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "안정적인 릴리즈만 해당" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "업데이트 사항을 확인할 때 안정적인 베타 릴리즈를 확인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "안정적인 베타 릴리즈" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Cura가 시작될 때마다 새로운 플러그인을 자동 확인해야 합니까? 사용 안 함으로 설정하지 않는 것이 좋습니다!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "플러그인 업데이트 알림 받기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "활성화" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "이름 바꾸기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "생성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "복제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "가져오기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "내보내기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "프린터와 동기화" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "프린터" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "제거 확인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "%1을 제거 하시겠습니까? 이것은 취소 할 수 없습니다!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "재료 가져 오기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "재료를 가져올 수 없습니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "재료를 성공적으로 가져왔습니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "재료 내보내기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "재료를 내보내는데 실패했습니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "재료를 성공적으로 내보냈습니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "모든 재료 내보내기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "정보" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "직경 변경 확인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "새 필라멘트의 직경은 %1 mm로 설정되었으며, 현재 압출기와 호환되지 않습니다. 계속하시겠습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "표시 이름" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "재료 유형" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "색깔" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "속성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "밀도" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "직경" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "필라멘트 비용" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "필라멘트 무게" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "필라멘트 길이" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "미터 당 비용" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "이 재료는 %1에 연결되어 있으며 일부 속성을 공유합니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "재료 연결 해제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "설명" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "접착 정보" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "프린팅 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "생성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "복제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "프로파일 생성하기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "이 프로파일에 대한 이름을 제공하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "프로파일 복제하기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "프로파일 이름 바꾸기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "프로파일 가져 오기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "프로파일 내보내기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "프린터: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "현재 설정 / 재정의 프로파일 업데이트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "현재 변경 사항 삭제" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "이 프로파일은 프린터에서 지정한 기본값을 사용하므로 아래 목록에 아무런 설정/재정의가 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "현재 설정이 선택한 프로파일과 일치합니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "전역 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "계산된" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "프로파일" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "현재 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "단위" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "보기 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "모두 확인" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "익스트루더" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "핫 엔드의 설정 온도입니다. 핫 엔드는 이 온도를 향해 가열되거나 냉각됩니다. 이 값이 0이면 온열 가열이 꺼집니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "이 익스트루더의 현재 온도." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "노즐을 예열하기 위한 온도." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "취소" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "예열" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "프린팅하기 전에 노즐을 미리 가열하십시오. 가열되는 동안 계속해서 프린팅물을 조정할 수 있으며, 프린팅 준비가 되면 노즐이 가열 될 때까지 기다릴 필요가 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "이 익스트루더의 재료 색." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "이 익스트루더의 재료." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "이 익스트루더에 삽입 된 노즐." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "빌드 플레이트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "가열 된 베드의 설정 온도. 베드가 이 온도로 가열되거나 식을 것입니다. 이 값이 0이면 베드 가열이 꺼집니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "가열 된 베드의 현재 온도." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "베드를 예열하기 위한 온도." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "프린팅하기 전에 베드를 미리 가열하십시오. 가열되는 동안 계속해서 프린팅물을 조정할 수 있으며, 프린팅 준비가 되면 베드가 가열 될 때까지 기다릴 필요가 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "프린터 제어" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "조그 위치" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "조그 거리" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Gcode 보내기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "연결된 프린터에 사용자 정의 G 코드 명령을 보냅니다. ‘Enter’키를 눌러 명령을 전송하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "프린터가 연결되어 있지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "클라우드 프린터가 오프라인 상태입니다. 프린터가 켜져 있고 인터넷과 연결되어 있는지 확인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "해당 프린터가 사용자의 계정에 연결되어 있지 않습니다. Ultimaker Digital Factory에 방문하여 연결을 설정하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "현재 클라우드 연결을 사용할 수 없습니다. 클라우드 프린터에 연결하려면 로그인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "현재 클라우드 연결을 사용할 수 없습니다. 사용자의 인터넷 연결을 확인하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "프린터 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "프린터 관리" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "연결된 프린터" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "프린터 사전 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "활성화된 프린트" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "작업 이름" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "프린팅 시간" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "예상 남은 시간" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "클라우드 프린터가 오프라인 상태입니다. 프린터가 켜져 있고 인터넷과 연결되어 있는지 확인하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "해당 프린터가 사용자의 계정에 연결되어 있지 않습니다. Ultimaker Digital Factory에 방문하여 연결을 설정하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "현재 클라우드 연결을 사용할 수 없습니다. 클라우드 프린터에 연결하려면 로그인하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "현재 클라우드 연결을 사용할 수 없습니다. 사용자의 인터넷 연결을 확인하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "프린터 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "프린터 관리" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "연결된 프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "프린터 사전 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "프린팅 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "인쇄 설정 비활성화됨. G 코드 파일을 수정할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "프로파일" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5236,119 +4105,1698 @@ msgstr "" "\n" "프로파일 매니저를 열려면 클릭하십시오." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "사용자 정의 프로파일" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "현재 변경 사항 삭제" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "추천" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "사용자 정의" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "유효한" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "비활성" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "실험적 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "압출기 %2의 구성에 대한 %1 프로파일이 없습니다. 대신 기본 의도가 사용됩니다" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "인쇄 설정 비활성화됨. G 코드 파일을 수정할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "추천" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "사용자 정의" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "유효한" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "비활성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "실험적 설정" +msgid "Profiles" +msgstr "프로파일" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "부착" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "브림이나 라프트를 사용합니다. 이렇게하면 출력물 주변이나 아래에 평평한 영역이 추가되어 나중에 쉽게 자를 수 있습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "점진적 내부채움" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "점차적인 내부채움은 점차적으로 빈 공간 채우기의 양을 증가시킵니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "일부 프로파일 설정을 수정했습니다. 이러한 설정을 변경하려면 사용자 지정 모드로 이동하십시오." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "서포트" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "오버행이 있는 모델 서포트를 생성합니다. 이러한 구조가 없으면 이러한 부분이 프린팅 중에 붕괴됩니다." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"일부 숨겨진 설정은 일반적인 계산 값과 다른 값을 사용합니다.\n" -"\n" -"이 설정을 표시하려면 클릭하십시오." +msgid "Gradual infill" +msgstr "점진적 내부채움" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "점차적인 내부채움은 점차적으로 빈 공간 채우기의 양을 증가시킵니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "부착" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "브림이나 라프트를 사용합니다. 이렇게하면 출력물 주변이나 아래에 평평한 영역이 추가되어 나중에 쉽게 자를 수 있습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "프로젝트 저장 중..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "네트워크 프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "로컬 프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "재료" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "즐겨찾기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "일반" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "선택된 모델 프린팅 :" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "선택한 모델 복" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "복제할 수" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "프로젝트 저장(&S)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "내보내기(&E)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "내보내기 선택..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "구성" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "사용자 정의" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "실행됨" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "재료" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "더 나은 접착력을 위해 이 재료 조합과 함께 접착제를 사용하십시오.." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "구성 선택" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "구성" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "프린터에서 사용 가능한 구성 로딩 중..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "프린터가 연결되어 있지 않기 때문에 구성을 사용할 수 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "%1이(가) 인식되지 않기 때문에 이 구성을 사용할 수 없습니다. %2에 방문하여 올바른 재료 프로파일을 다운로드하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "시장" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "파일 여는 중..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "프린터(&P)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "재료(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "활성 익스트루더로 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "익스트루더 사용" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "익스트루더 사용하지 않음" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "최근 열어본 파일 열기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "표시 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "모든 카테고리 붕괴" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "보기 설정 관리..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "카메라 위치(&C)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "카메라 뷰" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "원근" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "직교" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "빌드 플레이트(&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "유형 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "지원으로 프린팅됩니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "이 모델과 중복되는 다른 모델은 수정됩니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "이 모델과 중복되는 내부채움은 수정됩니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "이 모델과의 중복은 지원되지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "%1 설정을 덮어씁니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "프로파일" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "활성화" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "생성" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "복제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "이름 바꾸기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "가져오기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "내보내기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "프로파일 생성하기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "이 프로파일에 대한 이름을 제공하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "프로파일 복제하기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "제거 확인" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "%1을 제거 하시겠습니까? 이것은 취소 할 수 없습니다!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "프로파일 이름 바꾸기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "프로파일 가져 오기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "프로파일 내보내기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "프린터: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "현재 설정 / 재정의 프로파일 업데이트" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "이 프로파일은 프린터에서 지정한 기본값을 사용하므로 아래 목록에 아무런 설정/재정의가 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "현재 설정이 선택한 프로파일과 일치합니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "전역 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "일반" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "인터페이스" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "통화:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "테마:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "이러한 변경 사항을 적용하려면 응용 프로그램을 다시 시작해야합니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "설정이 변경되면 자동으로 슬라이싱 합니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "자동으로 슬라이싱" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "뷰포트 동작" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "지원되지 않는 모델 영역을 빨간색으로 강조 표시하십시오. 서포트가 없으면 이 영역이 제대로 프린팅되지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "오버행 표시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "경고 기호를 사용해 모델에서 누락되거나 관계 없는 표면을 강조 표시합니다. 도구 경로에서는 종종 의도한 형상의 일부가 누락됩니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "모델 오류 표시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "모델을 선택하면 모델이 뷰의 가운데에 오도록 카메라를 이동합니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "항목을 선택하면 카메라를 중앙에 위치" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "큐라의 기본 확대 동작을 반전시켜야 합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "카메라 줌의 방향을 반전시키기." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "확대가 마우스 방향으로 이동해야 합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "정투영법 시점에서는 마우스 방향으로 확대가 지원되지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "마우스 방향으로 확대" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "모델을 더 이상 교차시키지 않도록 이동해야합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "모델이 분리되어 있는지 확인" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "모델을 빌드 플레이트에 닿도록 아래로 움직여야합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "모델을 빌드 플레이트에 자동으로 놓기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "g-code 리더에 주의 메시지를 표시하기." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "g-code 리더의 주의 메시지" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "레이어가 호환 모드로 강제 설정되어야합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "레이어 뷰 호환성 모드로 전환 (다시 시작해야 함)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "닫힌 위치에서 Cura를 열어야 합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "시작 시 창 위치 복원" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "어떤 유형의 카메라 렌더링을 사용해야 합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "카메라 렌더링:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "원근" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "정투영" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "파일 열기 및 저장" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "데스크톱 또는 외부 애플리케이션의 파일을 동일한 Cura 인스턴스에서 엽니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Cura의 단일 인스턴스 사용" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Cura의 단일 인스턴스에서 새 모델을 로드하기 전에 빌드 플레이트를 지워야 합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "모델을 단일 인스턴스로 로드하기 전에 빌드 플레이트 지우기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "크기가 너무 큰 경우 모델을 빌드 볼륨에 맞게 조정해야합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "큰 모델의 사이즈 수정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "단위가 밀리미터가 아닌 미터 단위 인 경우 모델이 매우 작게 나타날 수 있습니다. 이 모델을 확대할까요?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "매우 작은 모델의 크기 조정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "모델을 로드한 후에 선택해야 합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "로드된 경우 모델 선택" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "프린터 이름에 기반한 접두어가 프린팅 작업 이름에 자동으로 추가되어야합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "작업 이름에 기기 접두어 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "프로젝트 파일을 저장할 때 요약이 표시되어야합니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "프로젝트 저장시 요약 대화 상자 표시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "프로젝트 파일을 열 때 기본 동작" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "프로젝트 파일을 열 때 기본 동작 " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "항상 묻기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "항상 프로젝트로 열기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "항상 모델 가져 오기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "프로파일을 변경하고 다른 프로파일로 전환하면 수정 사항을 유지할지 여부를 묻는 대화 상자가 표시됩니다. 기본 행동을 선택하면 해당 대화 상자를 다시 표시 하지 않을 수 있습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "다른 프로파일로 변경하는 경우 변경된 설정값에 대한 기본 동작 " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "항상 변경된 설정 삭제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "항상 변경된 설정을 새 프로파일로 전송" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "보안" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "프린터에 대한 익명의 데이터를 Ultimaker로 보낼까요? 모델, IP 주소 또는 기타 개인 식별 정보는 전송되거나 저장되지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(익명) 프린터 정보 보내기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "추가 정보" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "업데이트" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Cura가 프로그램이 시작될 때 업데이트를 확인할까요?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "시작시 업데이트 확인" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "업데이트 사항을 확인할 때 안정적인 릴리즈만 확인하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "안정적인 릴리즈만 해당" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "업데이트 사항을 확인할 때 안정적인 베타 릴리즈를 확인하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "안정적인 베타 릴리즈" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Cura가 시작될 때마다 새로운 플러그인을 자동 확인해야 합니까? 사용 안 함으로 설정하지 않는 것이 좋습니다!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "플러그인 업데이트 알림 받기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "정보" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "직경 변경 확인" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "새 필라멘트의 직경은 %1 mm로 설정되었으며, 현재 압출기와 호환되지 않습니다. 계속하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "표시 이름" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "재료 유형" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "색깔" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "속성" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "밀도" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "직경" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "필라멘트 비용" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "필라멘트 무게" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "필라멘트 길이" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "미터 당 비용" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "이 재료는 %1에 연결되어 있으며 일부 속성을 공유합니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "재료 연결 해제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "설명" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "접착 정보" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "생성" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "복제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "프린터와 동기화" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "재료 가져 오기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "재료를 가져올 수 없습니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "재료를 성공적으로 가져왔습니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "재료 내보내기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "재료를 내보내는데 실패했습니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "재료를 성공적으로 내보냈습니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "모든 재료 내보내기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "보기 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "모두 확인" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "계산된" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "프로파일" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "현재 설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "단위" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "프린터에 연결되지 않음" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "프린터가 명령을 받아들이지 않습니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "유지 보수 중. 프린터를 확인하십시오" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "프린터와의 연결이 끊어졌습니다" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "프린팅..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "일시 중지됨" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "준비 중..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "프린트물을 제거하십시오" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "프린팅 중단" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "프린팅를 중단 하시겠습니까?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "선택한 모델을 %1로 프린팅하십시오" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "내 프린터" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Ultimaker Digital Factory의 프린터를 모니터링하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Digital Library에서 프린트 프로젝트를 생성하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "인쇄 작업" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "프린트 작업을 모니터링하고 프린트 기록에서 다시 프린트하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "플러그인 및 재료 프로파일을 사용하여 Ultimaker Cura를 확장하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Ultimaker e-러닝을 통해 3D 프린팅 전문가로 거듭나십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimaker support" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Ultimaker Cura로 시작하는 방법을 알아보십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "질문하기" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Ultimaker 커뮤니티에 문의하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "버그 리포트" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "개발자에게 문제를 알려주십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Ultimaker 웹 사이트를 방문하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "프린터 제어" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "조그 위치" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "조그 거리" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Gcode 보내기" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "연결된 프린터에 사용자 정의 G 코드 명령을 보냅니다. ‘Enter’키를 눌러 명령을 전송하십시오." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "익스트루더" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "핫 엔드의 설정 온도입니다. 핫 엔드는 이 온도를 향해 가열되거나 냉각됩니다. 이 값이 0이면 온열 가열이 꺼집니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "이 익스트루더의 현재 온도." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "노즐을 예열하기 위한 온도." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "취소" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "예열" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "프린팅하기 전에 노즐을 미리 가열하십시오. 가열되는 동안 계속해서 프린팅물을 조정할 수 있으며, 프린팅 준비가 되면 노즐이 가열 될 때까지 기다릴 필요가 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "이 익스트루더의 재료 색." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "이 익스트루더의 재료." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "이 익스트루더에 삽입 된 노즐." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "프린터가 연결되어 있지 않습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "빌드 플레이트" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "가열 된 베드의 설정 온도. 베드가 이 온도로 가열되거나 식을 것입니다. 이 값이 0이면 베드 가열이 꺼집니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "가열 된 베드의 현재 온도." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "베드를 예열하기 위한 온도." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "프린팅하기 전에 베드를 미리 가열하십시오. 가열되는 동안 계속해서 프린팅물을 조정할 수 있으며, 프린팅 준비가 되면 베드가 가열 될 때까지 기다릴 필요가 없습니다." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "로그인" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- 재료 설정 및 Marketplace 플러그인 추가\n" +"- 재료 설정과 플러그인 백업 및 동기화\n" +"- Ultimaker 커뮤니티에서 48,000명 이상의 사용자와 아이디어를 공유하고 도움 받기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Ultimaker 계정 무료 생성" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "마지막 업데이트: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker 계정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "로그아웃" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "확인 중..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "계정 동기화됨" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "오류가 발생하였습니다..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "보류된 업데이트 설치" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "계정 업데이트 확인" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "제목 없음" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "선택할 항목 없음" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "온라인 문제 해결 가이드 표시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "전채 화면 전환" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "전체 화면 종료" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "되돌리기(&U)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "다시하기(&R)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "종료(&Q)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "앞에서 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "위에서 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "하단 뷰" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "왼쪽에서 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "오른쪽에서 보기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Cura 구성 ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "프린터 추가..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "프린터 관리 ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "재료 관리..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "마켓플레이스에서 더 많은 재료 추가" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "현재 설정으로로 프로파일 업데이트" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "현재 변경 사항 무시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "현재 설정으로 프로파일 생성..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "프로파일 관리..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "온라인 문서 표시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "버그 리포트" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "새로운 기능" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "소개..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "선택 항목 삭제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "선택 항목 가운데 정렬" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "선택 항목 복제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "모델 삭제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "플랫폼중심에 모델 위치하기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "모델 그룹화" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "모델 그룹 해제" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "모델 합치기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "모델 복제..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "모든 모델 선택" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "빌드 플레이트 지우기" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "모든 모델 다시 로드" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "모든 모델을 모든 빌드 플레이트에 정렬" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "모든 모델 정렬" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "선택한 모델 정렬" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "모든 모델의 위치 재설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "모든 모델의 변환 재설정" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "파일 열기..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "새로운 프로젝트..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "설정 폴더 표시" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "설정 보기..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&시장" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "영향을 미치는 모든 설정이 무효화되기 때문에 이 설정을 사용하지 않습니다." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "영향" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "영향을 받다" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "이 설정은 항상 모든 익스트루더 사이에 공유됩니다. 여기서 변경하면 모든 익스트루더에 대한 값이 변경됩니다." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "이 설정은 충돌하는 압출기별 값으로 결정됩니다:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5359,7 +5807,7 @@ msgstr "" "\n" "프로파일 값을 복원하려면 클릭하십시오." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5370,507 +5818,93 @@ msgstr "" "\n" "계산 된 값을 복원하려면 클릭하십시오." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "검색 설정" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "모든 익스트루더에 값 복사" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "변경된 사항을 모든 익스트루더에 복사" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "이 설정 숨기기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "이 설정을 표시하지 않음" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "이 설정을 계속 표시하십시오" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3D 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "앞에서 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "위에서 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "왼쪽 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "오른쪽 보기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "유형 보기" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"일부 숨겨진 설정은 일반적인 계산 값과 다른 값을 사용합니다.\n" +"\n" +"이 설정을 표시하려면 클릭하십시오." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "클라우드 프린터 추가" +msgid "This package will be installed after restarting." +msgstr "다시 시작한 후에 이 패키지가 설치됩니다." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "클라우드 응답 대기" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "설정" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "사용자의 계정에 프린터가 없습니까?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 닫기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "사용자의 계정에 있는 다음 프린터를 Cura에 추가하였습니다." +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "%1을(를) 정말로 종료하시겠습니까?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "수동으로 프린터 추가" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "패키지 설치" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "제조업체" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "파일 열기" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "프로파일 원작자" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "선택한 파일 내에 하나 이상의 G-코드 파일이 있습니다. 한 번에 하나의 G-코드 파일 만 열 수 있습니다. G-코드 파일을 열려면 하나만 선택하십시오." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "프린터 이름" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "프린터의 이름을 설정하십시오" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "프린터 추가" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "네트워크 프린터 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "비 네트워크 프린터 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "네트워크에서 검색된 프린터가 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "새로고침" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "IP로 프린터 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "클라우드 프린터 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "문제 해결" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "IP 주소로 프린터 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "프린터의 IP 주소를 입력하십시오." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "장치에 연결할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Ultimaker 프린터로 연결할 수 없습니까?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "이 주소의 프린터가 아직 응답하지 않았습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "알 수 없는 프린터이거나 그룹의 호스트가 아니기 때문에 이 프린터를 추가할 수 없습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "뒤로" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "연결" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "릴리즈 노트" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "재료 설정 및 Marketplace 플러그인 추가" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "재료 설정과 플러그인 백업 및 동기화" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Ultimaker 커뮤니티에서 48,000명 이상의 사용자와 아이디어를 공유하고 도움 받기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "건너뛰기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Ultimaker 계정 무료 생성" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ultimaker Cura를 개선하는 데 도움을 주십시오" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura는 인쇄 품질과 사용자 경험을 개선하기 위해 다음과 같은 익명 데이터를 수집합니다:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "기기 유형" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "재료 사용" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "슬라이드 수" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "인쇄 설정" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura가 수집하는 데이터에는 개인 정보가 포함되어 있지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "추가 정보" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "비어 있음" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "사용자 계약" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "거절 및 닫기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Ultimaker Cura에 오신 것을 환영합니다" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "Ultimaker Cura를 설정하려면 다음 단계로 이동하세요. 오래 걸리지 않습니다." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "시작하기" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "새로운 기능" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "선택할 항목 없음" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "가능한 프린팅 문제를 위해 모델 및 인쇄 구성을 확인하고 제안합니다." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "모델 검사기" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "3MF 파일 읽기 지원." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF 리더" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "3MF 파일 작성 지원을 제공합니다." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF 기록기" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "AMF 파일 읽기가 지원됩니다." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF 리더" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "구성을 백업하고 복원합니다." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura 백업" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "CuraEngine 슬라이스 백엔드 링크를 제공합니다." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine 백엔드" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Cura 프로파일 가져 오기 지원을 제공합니다." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura 프로파일 리더" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Cura 프로파일 내보내기 지원을 제공합니다." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura 프로파일 작성자" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "디지털 라이브러리와 연결하여 Cura에서 디지털 라이브러리를 통해 파일을 열고 저장할 수 있도록 합니다." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker 디지털 라이브러리" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "펌웨어 업데이트를 확인합니다." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "펌웨어 업데이트 검사기" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "펌웨어 업데이트를 위한 기계 동작을 제공합니다." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "펌웨어 업데이터" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "압축 된 아카이브로 부터 g-code를 읽습니다." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "압축 된 G 코드 리더기" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "압축 된 아카이브에 g-code를 씁니다." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "압축 된 G 코드 작성기" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "G-코드 파일에서 프로파일 가져 오기를 지원합니다." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "GCode 프로파일 리더기" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "G-코드 파일을 로드하고 표시 할 수 있습니다." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-코드 리더" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "G Code를 파일에 씁니다." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "GCode 작성자" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "2D 이미지 파일에서 프린팅 가능한 지오메트리를 생성 할 수 있습니다." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "이미지 리더" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "레거시 Cura 버전에서 프로파일 가져 오기를 지원합니다." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "레거시 Cura 프로파일 리더" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "기계 설정 (예 : 빌드 볼륨, 노즐 크기 등)을 변경하는 방법을 제공합니다." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "컴퓨터 설정 작업" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Cura에서 모니터 단계 제공." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "모니터 단계" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5881,85 +5915,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "모델 별 설정 도구" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "후처리를 위해 사용자가 만든 스크립트를 허용하는 확장 프로그램" +msgid "Provides support for importing Cura profiles." +msgstr "Cura 프로파일 가져 오기 지원을 제공합니다." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "후처리" +msgid "Cura Profile Reader" +msgstr "Cura 프로파일 리더" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Cura에서 준비 단계 제공." +msgid "Provides support for reading X3D files." +msgstr "X3D 파일을 읽을 수 있도록 지원합니다." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "준비 단계" +msgid "X3D Reader" +msgstr "X3D 리더" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Cura에서 미리 보기 단계를 제공합니다." +msgid "Backup and restore your configuration." +msgstr "구성을 백업하고 복원합니다." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "미리 보기 단계" +msgid "Cura Backups" +msgstr "Cura 백업" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "이동식 드라이브를 제공합니다." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "기계 설정 (예 : 빌드 볼륨, 노즐 크기 등)을 변경하는 방법을 제공합니다." -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "이동식 드라이브 출력 장치 플러그인" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "충돌을 보고하는 리포터가 사용할 수 있도록 특정 이벤트를 기록합니다" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "보초 로거" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "시뮬레이션 뷰를 제공합니다." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "시뮬레이션 뷰" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "익명의 슬라이스 정보를 제출하십시오. 환경 설정을 통해 비활성화 할 수 있습니다." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "슬라이스 정보" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "일반 솔리드 메쉬보기를 제공합니다." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "솔리드 뷰" +msgid "Machine Settings Action" +msgstr "컴퓨터 설정 작업" #: SupportEraser/plugin.json msgctxt "description" @@ -5971,35 +5965,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Support Eraser" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "새 Cura 패키지를 찾고, 관리하고 설치하십시오." +msgid "Provides removable drive hotplugging and writing support." +msgstr "이동식 드라이브를 제공합니다." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "도구 상자" +msgid "Removable Drive Output Device Plugin" +msgstr "이동식 드라이브 출력 장치 플러그인" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "모델 파일 읽기 기능을 제공합니다." +msgid "Provides a machine actions for updating firmware." +msgstr "펌웨어 업데이트를 위한 기계 동작을 제공합니다." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh 리더" +msgid "Firmware Updater" +msgstr "펌웨어 업데이터" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Ultimaker 포맷 패키지 읽기를 지원합니다." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "레거시 Cura 버전에서 프로파일 가져 오기를 지원합니다." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP 리더기" +msgid "Legacy Cura Profile Reader" +msgstr "레거시 Cura 프로파일 리더" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "3MF 파일 읽기 지원." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF 리더" #: UFPWriter/plugin.json msgctxt "description" @@ -6011,25 +6015,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFP 작성자" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Ultimaker 기계에 대한 기계 작동 제공(예 : 침대 수평 조정 마법사, 업그레이드 선택 등)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "충돌을 보고하는 리포터가 사용할 수 있도록 특정 이벤트를 기록합니다" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker 기기 동작" +msgid "Sentry Logger" +msgstr "보초 로거" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Ultimaker 네트워크 연결 프린터에 대한 네트워크 연결을 관리합니다." +msgid "Provides support for importing profiles from g-code files." +msgstr "G-코드 파일에서 프로파일 가져 오기를 지원합니다." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker 네트워크 연결" +msgid "G-code Profile Reader" +msgstr "GCode 프로파일 리더기" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Cura에서 미리 보기 단계를 제공합니다." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "미리 보기 단계" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "엑스레이 뷰를 제공합니다." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "엑스레이 뷰" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "CuraEngine 슬라이스 백엔드 링크를 제공합니다." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine 백엔드" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "AMF 파일 읽기가 지원됩니다." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF 리더" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "압축 된 아카이브로 부터 g-code를 읽습니다." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "압축 된 G 코드 리더기" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "후처리를 위해 사용자가 만든 스크립트를 허용하는 확장 프로그램" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "후처리" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Cura 프로파일 내보내기 지원을 제공합니다." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura 프로파일 작성자" #: USBPrinting/plugin.json msgctxt "description" @@ -6041,25 +6115,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB 프린팅" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Cura 2.1에서 Cura 2.2로 구성을 업그레이드합니다." +msgid "Provides a prepare stage in Cura." +msgstr "Cura에서 준비 단계 제공." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "2.1에서 2.2로 버전 업그레이드" +msgid "Prepare Stage" +msgstr "준비 단계" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Cura 2.2에서 Cura 2.4로 구성을 업그레이드합니다." +msgid "Allows loading and displaying G-code files." +msgstr "G-코드 파일을 로드하고 표시 할 수 있습니다." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "2.2에서 2.4로 버전 업그레이드" +msgid "G-code Reader" +msgstr "G-코드 리더" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "2D 이미지 파일에서 프린팅 가능한 지오메트리를 생성 할 수 있습니다." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "이미지 리더" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Ultimaker 기계에 대한 기계 작동 제공(예 : 침대 수평 조정 마법사, 업그레이드 선택 등)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker 기기 동작" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "압축 된 아카이브에 g-code를 씁니다." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "압축 된 G 코드 작성기" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "펌웨어 업데이트를 확인합니다." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "펌웨어 업데이트 검사기" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "익명의 슬라이스 정보를 제출하십시오. 환경 설정을 통해 비활성화 할 수 있습니다." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "슬라이스 정보" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "XML 기반 재료 프로파일을 읽고 쓸 수있는 기능을 제공합니다." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "재료 프로파일" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "디지털 라이브러리와 연결하여 Cura에서 디지털 라이브러리를 통해 파일을 열고 저장할 수 있도록 합니다." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker 디지털 라이브러리" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "새 Cura 패키지를 찾고, 관리하고 설치하십시오." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "도구 상자" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "G Code를 파일에 씁니다." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "GCode 작성자" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "시뮬레이션 뷰를 제공합니다." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "시뮬레이션 뷰" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Cura 4.5에서 Cura 4.6으로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "4.5에서 4.6으로 버전 업그레이드" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6071,55 +6255,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "2.5에서 2.6으로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Cura 2.6에서 Cura 2.7로 구성을 업그레이드합니다." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Cura 4.6.0에서 Cura 4.6.2로 구성을 업그레이드합니다." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "2.6에서 2.7으로 버전 업그레이드" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "4.6.0에서 4.6.2로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Cura 2.7에서 Cura 3.0으로 구성을 업그레이드합니다." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Cura 4.7에서 Cura 4.8로 구성을 업그레이드합니다." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "2.7에서 3.0으로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Cura 3.0에서 Cura 3.1로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "3.0에서 3.1로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Cura 3.2에서 Cura 3.3으로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "3.2에서 3.3으로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Cura 3.3에서 Cura 3.4로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "버전 업그레이드 3.3에서 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "4.7에서 4.8로 버전 업그레이드" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6131,45 +6285,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "3.4에서 3.5로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Cura 3.5에서 Cura 4.0으로 구성을 업그레이드합니다." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Cura 2.1에서 Cura 2.2로 구성을 업그레이드합니다." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "버전 업그레이드 3.5에서 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "2.1에서 2.2로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Cura 4.0에서 Cura 4.1로 구성을 업그레이드합니다." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Cura 3.2에서 Cura 3.3으로 구성을 업그레이드합니다." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "버전 업그레이드 4.0에서 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "3.2에서 3.3으로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Cura 4.11에서 Cura 4.12로 구성을 업그레이드합니다." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Cura 4.8에서 Cura 4.9로 구성을 업그레이드합니다." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "4.11에서 4.12로 버전 업그레이드" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "4.8에서 4.9로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Cura 4.1에서 Cura 4.2로 구성을 업그레이드합니다." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Cura 4.6.2에서 Cura 4.7로 구성을 업그레이드합니다." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "4.1에서 4.2로 버전 업그레이드" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "4.6.2에서 4.7로 버전 업그레이드" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6191,66 +6345,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "4.3에서 4.4로 버전 업그레이드" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Cura 4.4에서 Cura 4.5로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "4.4에서 4.5로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Cura 4.5에서 Cura 4.6으로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "4.5에서 4.6으로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Cura 4.6.0에서 Cura 4.6.2로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "4.6.0에서 4.6.2로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Cura 4.6.2에서 Cura 4.7로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "4.6.2에서 4.7로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Cura 4.7에서 Cura 4.8로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "4.7에서 4.8로 버전 업그레이드" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Cura 4.8에서 Cura 4.9로 구성을 업그레이드합니다." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "4.8에서 4.9로 버전 업그레이드" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6261,35 +6355,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "4.9에서 4.10으로 버전 업그레이드" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "X3D 파일을 읽을 수 있도록 지원합니다." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Cura 2.7에서 Cura 3.0으로 구성을 업그레이드합니다." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D 리더" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "2.7에서 3.0으로 버전 업그레이드" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "XML 기반 재료 프로파일을 읽고 쓸 수있는 기능을 제공합니다." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Cura 2.6에서 Cura 2.7로 구성을 업그레이드합니다." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "재료 프로파일" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "2.6에서 2.7으로 버전 업그레이드" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "엑스레이 뷰를 제공합니다." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Cura 4.11에서 Cura 4.12로 구성을 업그레이드합니다." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "엑스레이 뷰" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "4.11에서 4.12로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Cura 3.3에서 Cura 3.4로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "버전 업그레이드 3.3에서 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Cura 3.0에서 Cura 3.1로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "3.0에서 3.1로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Cura 4.0에서 Cura 4.1로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "버전 업그레이드 4.0에서 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Cura 4.4에서 Cura 4.5로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "4.4에서 4.5로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Cura 2.2에서 Cura 2.4로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "2.2에서 2.4로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Cura 4.1에서 Cura 4.2로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "4.1에서 4.2로 버전 업그레이드" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Cura 3.5에서 Cura 4.0으로 구성을 업그레이드합니다." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "버전 업그레이드 3.5에서 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Ultimaker 네트워크 연결 프린터에 대한 네트워크 연결을 관리합니다." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker 네트워크 연결" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "모델 파일 읽기 기능을 제공합니다." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh 리더" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Ultimaker 포맷 패키지 읽기를 지원합니다." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP 리더기" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "일반 솔리드 메쉬보기를 제공합니다." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "솔리드 뷰" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "3MF 파일 작성 지원을 제공합니다." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF 기록기" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Cura에서 모니터 단계 제공." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "모니터 단계" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "가능한 프린팅 문제를 위해 모델 및 인쇄 구성을 확인하고 제안합니다." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "모델 검사기" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/ko_KR/fdmextruder.def.json.po b/resources/i18n/ko_KR/fdmextruder.def.json.po index 26c5911e80..9850f464de 100644 --- a/resources/i18n/ko_KR/fdmextruder.def.json.po +++ b/resources/i18n/ko_KR/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 15:01+0200\n" "Last-Translator: Korean \n" "Language-Team: Jinbum Kim , Korean \n" diff --git a/resources/i18n/ko_KR/fdmprinter.def.json.po b/resources/i18n/ko_KR/fdmprinter.def.json.po index 66e21390b4..f09b1ed51c 100644 --- a/resources/i18n/ko_KR/fdmprinter.def.json.po +++ b/resources/i18n/ko_KR/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:02+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Korean , Jinbum Kim , Korean \n" @@ -54,8 +54,10 @@ msgstr "시작 GCode" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "시작과 동시에형실행될 G 코드 명령어 \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -64,8 +66,10 @@ msgstr "End GCode" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "맨 마지막에 실행될 G 코드 명령 \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -147,6 +151,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "프린팅 가능 영역의 깊이 (Y 방향)" +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "기기 높이" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "프린팅 가능 영역의 높이 (Z 방향)입니다." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -187,16 +201,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "알루미늄" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "기기 높이" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "프린팅 가능 영역의 높이 (Z 방향)입니다." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -554,8 +558,8 @@ msgstr "Z 방향의 모터 최대 속도입니다." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "최대 이송 속도" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1724,9 +1728,8 @@ msgstr "내부채움 패턴" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "프린트 내부채움 재료의 패턴입니다. 선과 지그재그형 내부채움이 레이어를 하나 걸러서 방향을 바꾸므로 재료비가 절감됩니다. 격자, 삼각형, 삼육각형, 큐빅, 옥텟, 쿼터 큐빅, 크로스, 동심원 패턴이 레이어마다 완전히 프린트됩니다. 자이로이드, 큐빅, 쿼터 큐빅, 옥텟 내부채움이" -" 레이어마다 변경되므로 각 방향으로 힘이 더 균등하게 분산됩니다. 라이트닝 내부채움이 객체의 (내부) 지붕만 서포트하여 내부채움을 최소화합니다. 따라서 내부채움 비율은 모델을 서포트하는 데 필요한 것에 상관없이 한 레이어 아래에만 '유효'합니다." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2039,8 +2042,8 @@ msgstr "라이트닝 내부채움 가지치기 각도" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "나무의 바깥쪽 가지치기에 대해 라이트닝 내부채움 레이어와 바로 위 레이어의 차이점입니다. 두께가 주어진 각도로 측정됩니다." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2049,8 +2052,8 @@ msgstr "라이트닝 내부채움 정리 각도" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "나무의 윤곽선을 부드럽게 하는 것에 관한 라이트닝 내부채움 레이어와 바로 위 레이어의 차이점입니다. 두께가 주어진 각도로 측정됩니다." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6473,6 +6476,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "파일로부터 로드 하는 경유, 모델에 적용될 변환 행렬입니다." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "시작과 동시에형실행될 G 코드 명령어 \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "맨 마지막에 실행될 G 코드 명령 \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "최대 이송 속도" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "프린트 내부채움 재료의 패턴입니다. 선과 지그재그형 내부채움이 레이어를 하나 걸러서 방향을 바꾸므로 재료비가 절감됩니다. 격자, 삼각형, 삼육각형, 큐빅, 옥텟, 쿼터 큐빅, 크로스, 동심원 패턴이 레이어마다 완전히 프린트됩니다. 자이로이드, 큐빅, 쿼터 큐빅, 옥텟 내부채움이 레이어마다 변경되므로 각 방향으로 힘이 더 균등하게 분산됩니다. 라이트닝 내부채움이 객체의 (내부) 지붕만 서포트하여 내부채움을 최소화합니다. 따라서 내부채움 비율은 모델을 서포트하는 데 필요한 것에 상관없이 한 레이어 아래에만 '유효'합니다." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "나무의 바깥쪽 가지치기에 대해 라이트닝 내부채움 레이어와 바로 위 레이어의 차이점입니다. 두께가 주어진 각도로 측정됩니다." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "나무의 윤곽선을 부드럽게 하는 것에 관한 라이트닝 내부채움 레이어와 바로 위 레이어의 차이점입니다. 두께가 주어진 각도로 측정됩니다." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "프린트 충진 재료의 패턴입니다. 선과 갈지자형 충진이 레이어를 하나 걸러서 방향을 바꾸므로 재료비가 절감됩니다. 격자, 삼각형, 삼육각형, 입방체, 옥텟, 4분 입방체, 십자, 동심원 패턴이 레이어마다 완전히 인쇄됩니다. 자이로이드, 입방체, 4분 입방체, 옥텟 충진이 레이어마다 변경되므로 각 방향으로 힘이 더 균등하게 분산됩니다." diff --git a/resources/i18n/nl_NL/cura.po b/resources/i18n/nl_NL/cura.po index fe9757e01b..71073457d8 100644 --- a/resources/i18n/nl_NL/cura.po +++ b/resources/i18n/nl_NL/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-09-07 08:01+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Dutch , Dutch \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Onbekend" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Kan geen archief maken van gegevensmap van gebruiker: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Kan de onderstaande printer(s) niet verbinden omdat deze deel uitmaakt/uitmaken van een groep" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Back-up" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Beschikbare netwerkprinters" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Geprobeerd een Cura-back-up te herstellen zonder correcte gegevens of metadata." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Niet overschreven" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Geprobeerd een Cura-back-up te herstellen van een versie die hoger is dan de huidige versie." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "De volgende fout is opgetreden bij het herstellen van een Cura-backup:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Synchroniseer de materiaalprofielen met uw printer voordat u gaat printen." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Nieuwe materialen geïnstalleerd" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Synchroniseer materialen met printers" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Meer informatie" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Kan materiaalarchief niet opslaan op {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Opslaan materiaalarchief mislukt" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "De hoogte van het bouwvolume is verminderd wegens de waarde van de instelling “Printvolgorde”, om te voorkomen dat de rijbrug tegen geprinte modellen botst." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Werkvolume" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Weet u zeker dat u {0} wilt verwijderen? Deze bewerking kan niet ongedaan worden gemaakt!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Niet overschreven" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Onbekend" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Kan de onderstaande printer(s) niet verbinden omdat deze deel uitmaakt/uitmaken van een groep" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Beschikbare netwerkprinters" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Visueel" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Het visuele profiel is ontworpen om visuele prototypen en modellen te printen met als doel een hoge visuele en oppervlaktekwaliteit te creëren." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Het engineeringprofiel is ontworpen om functionele prototypen en onderdelen voor eindgebruik te printen met als doel een grotere precisie en nauwere toleranties." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Ontwerp" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Het ontwerpprofiel is ontworpen om initiële prototypen en conceptvalidatie te printen met als doel de printtijd aanzienlijk te verkorten." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Synchroniseer de materiaalprofielen met uw printer voordat u gaat printen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Nieuwe materialen geïnstalleerd" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Synchroniseer materialen met printers" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Meer informatie" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Aangepast materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Aangepast" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Kan materiaalarchief niet opslaan op {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Opslaan materiaalarchief mislukt" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Aangepaste profielen" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Alle Ondersteunde Typen ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Alle Bestanden (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Visueel" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Het visuele profiel is ontworpen om visuele prototypen en modellen te printen met als doel een hoge visuele en oppervlaktekwaliteit te creëren." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Het engineeringprofiel is ontworpen om functionele prototypen en onderdelen voor eindgebruik te printen met als doel een grotere precisie en nauwere toleranties." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Ontwerp" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Het ontwerpprofiel is ontworpen om initiële prototypen en conceptvalidatie te printen met als doel de printtijd aanzienlijk te verkorten." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Aangepast materiaal" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Aangepast" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Inloggen mislukt" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Nieuwe locatie vinden voor objecten" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Locatie vinden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Kan binnen het werkvolume niet voor alle objecten een locatie vinden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Kan locatie niet vinden" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Kan geen archief maken van gegevensmap van gebruiker: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Back-up" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Geprobeerd een Cura-back-up te herstellen zonder correcte gegevens of metadata." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Geprobeerd een Cura-back-up te herstellen van een versie die hoger is dan de huidige versie." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "De volgende fout is opgetreden bij het herstellen van een Cura-backup:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Machines laden..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Voorkeuren instellen..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Actieve machine initialiseren ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Machinebeheer initialiseren ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Werkvolume initialiseren ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Scene instellen..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Interface laden..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Engine initialiseren ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "De hoogte van het bouwvolume is verminderd wegens de waarde van de instelling “Printvolgorde”, om te voorkomen dat de rijbrug tegen geprinte modellen botst." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Er kan slechts één G-code-bestand tegelijkertijd worden geladen. Het importeren van {0} is overgeslagen" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Werkvolume" +msgid "Warning" +msgstr "Waarschuwing" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Kan geen ander bestand openen als G-code wordt geladen. Het importeren van {0} is overgeslagen" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Fout" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Overslaan" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Sluiten" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Volgende" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Voltooien" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Toevoegen" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Annuleren" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Groepsnummer #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Buitenwand" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Binnenwanden" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Skin" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Vulling" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Supportvulling" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Verbindingsstructuur" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Supportstructuur" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Skirt" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Primepijler" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Beweging" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Intrekkingen" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Overig(e)" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "De release notes konden niet worden geopend." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura kan niet worden gestart" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    Stuur ons dit crashrapport om het probleem op te lossen.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Het crashrapport naar Ultimaker verzenden" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Gedetailleerd crashrapport weergeven" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Open Configuratiemap" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Back-up maken en herstellen van configuratie" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Crashrapport" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,702 +510,641 @@ msgstr "" "

    Druk op de knop \"Rapport verzenden\" om het foutenrapport automatisch naar onze servers te verzenden

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Systeeminformatie" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Onbekend" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura-versie" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Taal van Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Taal van besturingssysteem" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platform" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt version" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt version" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Nog niet geïnitialiseerd
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL-versie: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL-leverancier: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL-renderer: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Traceback van fout" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Logboeken" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Rapport verzenden" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Machines laden..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Voorkeuren instellen..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Actieve machine initialiseren ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Machinebeheer initialiseren ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Werkvolume initialiseren ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Scene instellen..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Interface laden..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Engine initialiseren ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Er kan slechts één G-code-bestand tegelijkertijd worden geladen. Het importeren van {0} is overgeslagen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Waarschuwing" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Kan geen ander bestand openen als G-code wordt geladen. Het importeren van {0} is overgeslagen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Fout" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Objecten verveelvoudigen en plaatsen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Objecten plaatsen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Object plaatsen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Kan het antwoord niet lezen." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "De opgegeven status is niet juist." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Verleen de vereiste toestemmingen toe bij het autoriseren van deze toepassing." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Er heeft een onverwachte gebeurtenis plaatsgevonden bij het aanmelden. Probeer het opnieuw." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Er kan geen nieuw aanmeldingsproces worden gestart. Controleer of een andere aanmeldingspoging nog actief is." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Kan de Ultimaker-accountserver niet bereiken." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "De opgegeven status is niet juist." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Verleen de vereiste toestemmingen toe bij het autoriseren van deze toepassing." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Er heeft een onverwachte gebeurtenis plaatsgevonden bij het aanmelden. Probeer het opnieuw." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Kan het antwoord niet lezen." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Objecten verveelvoudigen en plaatsen" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Objecten plaatsen" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Object plaatsen" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Niet ondersteund" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Nozzle" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "De instellingen zijn gewijzigd zodat deze overeenkomen met de huidige beschikbaarheid van extruders:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "De instellingen zijn bijgewerkt" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extruder(s) uitgeschakeld" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Het Bestand Bestaat Al" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Het bestand {0} bestaat al. Weet u zeker dat u dit bestand wilt overschrijven?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Ongeldige bestands-URL:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Kan het profiel niet exporteren als {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Kan het profiel niet exporteren als {0}: Plug-in voor de schrijver heeft een fout gerapporteerd." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Het profiel is geëxporteerd als {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "De export is voltooid" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Kan het profiel niet importeren uit {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Kan het profiel niet importeren uit {0} voordat een printer toegevoegd is." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Er is geen aangepast profiel om in het bestand {0} te importeren" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Kan het profiel niet importeren uit {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Dit profiel {0} bevat incorrecte gegevens. Kan het profiel niet importeren." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Kan het profiel niet importeren uit {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Het profiel {0} is geïmporteerd." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Het bestand {0} bevat geen geldig profiel." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Het profiel {0} heeft een onbekend bestandstype of is beschadigd." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Aangepast profiel" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Er ontbreekt een kwaliteitstype in het profiel." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Er is nog geen actieve printer." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Kan het profiel niet toevoegen." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Kwaliteitstype '{0}' is niet compatibel met de huidige actieve machinedefinitie '{1}'." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Waarschuwing: het profiel is niet zichtbaar omdat het kwaliteitstype '{0}' van het profiel niet beschikbaar is voor de huidige configuratie. Schakel naar een materiaal-nozzle-combinatie waarvoor dit kwaliteitstype geschikt is." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Niet ondersteund" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Nozzle" +msgid "Per Model Settings" +msgstr "Instellingen per Model" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "De instellingen zijn gewijzigd zodat deze overeenkomen met de huidige beschikbaarheid van extruders:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Instellingen per Model configureren" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura-profiel" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D-bestand" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Er is een fout opgetreden tijdens het herstellen van uw back-up." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "De instellingen zijn bijgewerkt" +msgid "Backups" +msgstr "Back-ups" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extruder(s) uitgeschakeld" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Er is een fout opgetreden tijdens het uploaden van uw back-up." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Toevoegen" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Uw back-up maken..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Voltooien" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Er is een fout opgetreden bij het maken van de back-up." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Annuleren" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Uw back-up wordt geüpload..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Uw back-up is geüpload." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "De back-up is groter dan de maximale bestandsgrootte." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Back-ups beheren" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Machine-instellingen" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Supportblokkering" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Maak een volume waarin supportstructuren niet worden geprint." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Verwisselbaar Station" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Opslaan op verwisselbaar station" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Groepsnummer #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Opslaan op Verwisselbaar Station {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Buitenwand" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Er zijn geen bestandsindelingen beschikbaar om te schrijven!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Binnenwanden" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Opslaan op Verwisselbaar Station {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Skin" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Vulling" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Supportvulling" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Verbindingsstructuur" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Supportstructuur" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Skirt" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Primepijler" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Beweging" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Intrekkingen" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Overig(e)" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "De release notes konden niet worden geopend." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Volgende" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Overslaan" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Sluiten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "3D-modelassistent" +msgid "Saving" +msgstr "Opslaan" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Kan niet opslaan als {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Kan geen bestandsnaam vinden tijdens het schrijven naar {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Een of meer 3D-modellen worden mogelijk niet optimaal geprint vanwege het modelformaat en de materiaalconfiguratie:

    \n" -"

    {model_names}

    \n" -"

    Ontdek hoe u de best mogelijke printkwaliteit en betrouwbaarheid verkrijgt.

    \n" -"

    Handleiding printkwaliteit bekijken

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Kan niet opslaan op verwisselbaar station {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Opgeslagen op Verwisselbaar Station {0} als {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Bestand opgeslagen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Uitwerpen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Verwisselbaar station {0} uitwerpen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "{0} is uitgeworpen. U kunt het station nu veilig verwijderen." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Hardware veilig verwijderen" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Uitwerpen van {0} is niet gelukt. Mogelijk wordt het station door een ander programma gebruikt." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Firmware bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04-profielen" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Aanbevolen" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Aangepast" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Projectbestand {0} bevat een onbekend type machine {1}. Kan de machine niet importeren. In plaats daarvan worden er modellen geïmporteerd." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Projectbestand Openen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "Projectbestand {0} is plotseling ontoegankelijk: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Kan projectbestand niet openen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Projectbestand {0} is corrupt: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "Projectbestand {0} wordt gemaakt met behulp van profielen die onbekend zijn bij deze versie van Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Aanbevolen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Aangepast" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "3MF-bestand" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF-schrijverplug-in is beschadigd." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Kan niet naar UFP-bestand schrijven:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Geen bevoegdheid om de werkruimte hier te schrijven." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "Het besturingssysteem staat niet toe dat u een projectbestand opslaat op deze locatie of met deze bestandsnaam." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Fout bij het schrijven van het 3mf-bestand." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF-bestand" +msgid "Ultimaker Format Package" +msgstr "Ultimaker Format Package" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura-project 3MF-bestand" +msgid "G-code File" +msgstr "G-code-bestand" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF-bestand" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Back-ups" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Er is een fout opgetreden tijdens het uploaden van uw back-up." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Uw back-up maken..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Er is een fout opgetreden bij het maken van de back-up." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Uw back-up wordt geüpload..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Uw back-up is geüpload." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "De back-up is groter dan de maximale bestandsgrootte." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Er is een fout opgetreden tijdens het herstellen van uw back-up." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Back-ups beheren" +msgid "Preview" +msgstr "Voorbeeld" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Röntgenweergave" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Lagen verwerken" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informatie" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Slicen is mislukt door een onverwachte fout. Overweeg om de fout te melden via onze issue tracker." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Slicen mislukt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Een fout melden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Meld een fout via de issue tracker van Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Met het huidige materiaal is slicen niet mogelijk, omdat het materiaal niet compatibel is met de geselecteerde machine of configuratie." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Kan niet slicen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Met de huidige instellingen is slicing niet mogelijk. De volgende instellingen bevatten fouten: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Slicing is niet mogelijk vanwege enkele instellingen per model. De volgende instellingen bevatten fouten voor een of meer modellen: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Slicen is niet mogelijk omdat de terugduwpijler of terugduwpositie(s) ongeldig zijn." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Slicen is niet mogelijk omdat er objecten gekoppeld zijn aan uitgeschakelde Extruder %s." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -981,475 +1157,436 @@ msgstr "" "- zijn toegewezen aan een ingeschakelde extruder\n" "- niet allemaal zijn ingesteld als modificatierasters" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Lagen verwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informatie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura-profiel" +msgid "AMF File" +msgstr "AMF-bestand" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Gecomprimeerd G-code-bestand" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Nabewerking" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "G-code wijzigen" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB-printen" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Printen via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Via USB Printen" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Aangesloten via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Er wordt momenteel via USB geprint. Wanneer u Cura afsluit, wordt het printen gestopt. Weet u zeker dat u wilt afsluiten?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Er wordt nog een print afgedrukt. Cura kan pas een nieuwe print via USB starten zodra de vorige print is voltooid." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Bezig met printen" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Voorbereiden" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G-code parseren" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Details van de G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Zorg ervoor dat de G-code geschikt is voor uw printer en de printerconfiguratie voordat u het bestand verzendt. Mogelijk is de weergave van de G-code niet nauwkeurig." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G-bestand" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG-afbeelding" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG-afbeelding" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG-afbeelding" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP-afbeelding" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF-afbeelding" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Platform kalibreren" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Upgrades selecteren" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter ondersteunt geen tekstmodus." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Geen toegang tot update-informatie." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Er zijn mogelijk nieuwe functies of foutoplossingen beschikbaar voor uw {machine_name}. Als u dit nog niet hebt gedaan, is het raadzaam om de firmware op uw printer bij te werken naar versie {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Nieuwe stabiele firmware voor %s beschikbaar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Instructies voor bijwerken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Firmware bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Gecomprimeerd G-code-bestand" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter ondersteunt geen tekstmodus." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code-bestand" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-code parseren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Details van de G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Zorg ervoor dat de G-code geschikt is voor uw printer en de printerconfiguratie voordat u het bestand verzendt. Mogelijk is de weergave van de G-code niet nauwkeurig." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G-bestand" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter ondersteunt geen non-tekstmodus." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Bereid voorafgaand aan het exporteren G-code voor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG-afbeelding" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG-afbeelding" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG-afbeelding" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP-afbeelding" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF-afbeelding" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04-profielen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Machine-instellingen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Controleren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Instellingen per Model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Instellingen per Model configureren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Nabewerking" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-code wijzigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Voorbereiden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Voorbeeld" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Opslaan op verwisselbaar station" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Opslaan op Verwisselbaar Station {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Er zijn geen bestandsindelingen beschikbaar om te schrijven!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Opslaan op Verwisselbaar Station {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Opslaan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Kan niet opslaan als {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Kan geen bestandsnaam vinden tijdens het schrijven naar {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Kan niet opslaan op verwisselbaar station {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Opgeslagen op Verwisselbaar Station {0} als {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Bestand opgeslagen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Uitwerpen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Verwisselbaar station {0} uitwerpen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0} is uitgeworpen. U kunt het station nu veilig verwijderen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Hardware veilig verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Uitwerpen van {0} is niet gelukt. Mogelijk wordt het station door een ander programma gebruikt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Verwisselbaar Station" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Als Draadprinten is ingeschakeld, geeft Cura lagen niet goed weer." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Simulatieweergave" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Er wordt niets weergegeven omdat u eerst moet slicen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Geen lagen om weer te geven" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Dit bericht niet meer weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Laagweergave" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Kan het voorbeeldgegevensbestand niet lezen." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "De gemarkeerde gebieden geven ofwel ontbrekende of ongebruikelijke oppervlakken aan. Corrigeer het model en open het opnieuw in Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Modelfouten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Solide weergave" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Supportblokkering" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Maak een volume waarin supportstructuren niet worden geprint." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Wilt u materiaal- en softwarepackages synchroniseren met uw account?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Wijzigingen gedetecteerd van uw Ultimaker-account" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Synchroniseren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Synchroniseren ..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Nee, ik ga niet akkoord" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Akkoord" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Licentieovereenkomst plug-in" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Weigeren en verwijderen uit account" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "U moet {} afsluiten en herstarten voordat de wijzigingen van kracht worden." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Synchroniseren ..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Wijzigingen gedetecteerd van uw Ultimaker-account" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Wilt u materiaal- en softwarepackages synchroniseren met uw account?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Synchroniseren" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Weigeren en verwijderen uit account" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "{} plug-ins zijn niet gedownload" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Gecomprimeerde driehoeksnet openen" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Nee, ik ga niet akkoord" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Akkoord" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Licentieovereenkomst plug-in" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter ondersteunt geen non-tekstmodus." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Bereid voorafgaand aan het exporteren G-code voor." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Als Draadprinten is ingeschakeld, geeft Cura lagen niet goed weer." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Simulatieweergave" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Er wordt niets weergegeven omdat u eerst moet slicen." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Geen lagen om weer te geven" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Dit bericht niet meer weergeven" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Laagweergave" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF-binair" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Printen via netwerk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF-ingesloten JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Printen via netwerk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford-driehoeksformaat" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Via het netwerk verbonden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Gecomprimeerde COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "morgen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Format Package" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "vandaag" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Kan niet naar UFP-bestand schrijven:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Platform kalibreren" +msgid "Connect via Network" +msgstr "Verbinding Maken via Netwerk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Wacht tot de huidige taak is verzonden." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Printfout" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "De printtaak is naar de printer verzonden." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Gegevens verzonden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "U probeert verbinding te maken met een printer waarop Ultimaker Connect niet wordt uitgevoerd. Werk de printer bij naar de nieuwste firmware." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Uw printer bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "Wachtrij voor afdruktaken is vol. De printer kan geen nieuwe taken accepteren." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Wachtrij vol" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Printtaak verzenden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Printtaak naar printer aan het uploaden." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura heeft materiaalprofielen gedetecteerd die nog niet op de hostprinter van groep {0} zijn geïnstalleerd." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "De materialen worden naar de printer verzonden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Kan de gegevens niet uploaden naar de printer." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Netwerkfout" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "U probeert verbinding te maken met {0}, maar deze is niet de host van een groep. U kunt de webpagina bezoeken om deze als groephost te configureren." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Geen groephost" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Upgrades selecteren" +msgid "Configure group" +msgstr "Groep configureren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"U kunt uw printer {printer_name} via de cloud verbinden.\n" +" Beheer uw printerwachtrij en controleer uw prints vanaf elke plek door uw printer te verbinden met Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Bent u klaar voor printen via de cloud?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Aan de slag" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Meer informatie" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Printen via Cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Printen via Cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Verbonden via Cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Printen in de gaten houden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Volg het printen in Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Onbekende foutcode bij uploaden printtaak: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Nieuwe printer gedetecteerd van uw Ultimaker-account" msgstr[1] "Nieuwe printers gedetecteerd van uw Ultimaker-account" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Printer {name} ({model}) toevoegen vanaf uw account" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... en {0} andere" msgstr[1] "... en {0} andere" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Printers toegevoegd vanuit Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Een cloudverbinding is niet beschikbaar voor een printer" msgstr[1] "Een cloudverbinding is niet beschikbaar voor meerdere printers" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Deze printer is niet gekoppeld aan de Digital Factory:" msgstr[1] "Deze printers zijn niet gekoppeld aan de Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Ga naar {website_link} om een verbinding tot stand te brengen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Printerconfiguraties behouden" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Printers verwijderen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} wordt verwijderd tot de volgende accountsynchronisatie." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Bezoek {digital_factory_link} om {printer_name} permanent te verwijderen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Weet u zeker dat u {printer_name} tijdelijk wilt verwijderen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Printers verwijderen?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1537,7 +1674,7 @@ msgstr[1] "" "U staat op het punt om {0} printers uit Cura te verwijderen. Deze actie kan niet ongedaan worden gemaakt.\n" "Weet u zeker dat u door wilt gaan?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1546,770 +1683,1638 @@ msgstr "" "U staat op het punt om alle printers uit Cura te verwijderen. Deze actie kan niet ongedaan worden gemaakt.\n" "Weet u zeker dat u door wilt gaan?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Gecomprimeerde driehoeksnet openen" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF-binair" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF-ingesloten JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford-driehoeksformaat" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Gecomprimeerde COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "De gemarkeerde gebieden geven ofwel ontbrekende of ongebruikelijke oppervlakken aan. Corrigeer het model en open het opnieuw in Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Modelfouten" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Solide weergave" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Fout bij het schrijven van het 3mf-bestand." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "3MF-schrijverplug-in is beschadigd." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Geen bevoegdheid om de werkruimte hier te schrijven." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "Het besturingssysteem staat niet toe dat u een projectbestand opslaat op deze locatie of met deze bestandsnaam." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF-bestand" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura-project 3MF-bestand" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Controleren" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "3D-modelassistent" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "U kunt uw printer {printer_name} via de cloud verbinden.\n Beheer uw printerwachtrij en controleer uw prints vanaf elke plek door uw printer te" -" verbinden met Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " +msgstr "" +"

    Een of meer 3D-modellen worden mogelijk niet optimaal geprint vanwege het modelformaat en de materiaalconfiguratie:

    \n" +"

    {model_names}

    \n" +"

    Ontdek hoe u de best mogelijke printkwaliteit en betrouwbaarheid verkrijgt.

    \n" +"

    Handleiding printkwaliteit bekijken

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Bent u klaar voor printen via de cloud?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Aan de slag" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Meer informatie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "U probeert verbinding te maken met een printer waarop Ultimaker Connect niet wordt uitgevoerd. Werk de printer bij naar de nieuwste firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Uw printer bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura heeft materiaalprofielen gedetecteerd die nog niet op de hostprinter van groep {0} zijn geïnstalleerd." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "De materialen worden naar de printer verzonden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "U probeert verbinding te maken met {0}, maar deze is niet de host van een groep. U kunt de webpagina bezoeken om deze als groephost te configureren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Geen groephost" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Groep configureren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Wacht tot de huidige taak is verzonden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Printfout" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Kan de gegevens niet uploaden naar de printer." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Netwerkfout" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Printtaak verzenden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Printtaak naar printer aan het uploaden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "Wachtrij voor afdruktaken is vol. De printer kan geen nieuwe taken accepteren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Wachtrij vol" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "De printtaak is naar de printer verzonden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Gegevens verzonden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Printen via netwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Printen via netwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Via het netwerk verbonden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Verbinding Maken via Netwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "morgen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "vandaag" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB-printen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Printen via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Via USB Printen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Aangesloten via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Er wordt momenteel via USB geprint. Wanneer u Cura afsluit, wordt het printen gestopt. Weet u zeker dat u wilt afsluiten?" +msgid "Mesh Type" +msgstr "Rastertype" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Er wordt nog een print afgedrukt. Cura kan pas een nieuwe print via USB starten zodra de vorige print is voltooid." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Normaal model" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Bezig met printen" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Printen als supportstructuur" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Instellingen aanpassen voor overlapping" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Supportstructuur niet laten overlappen" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D-bestand" +msgid "Infill mesh only" +msgstr "Alleen vulraster" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Röntgenweergave" +msgid "Cutting mesh" +msgstr "Snijdend raster" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "In deze print kunnen problemen ontstaan. Klik om tips voor aanpassingen te bekijken." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Instellingen selecteren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Instellingen Selecteren om Dit Model Aan te Passen" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filteren..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Alles weergeven" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura-back-ups" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura-versie" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Machines" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materialen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profielen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Plug-ins" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Wilt u meer?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Nu back-up maken" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Auto back-up" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Maak elke dag dat Cura wordt gestart, automatisch een back-up." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Herstellen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Back-up verwijderen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Weet u zeker dat u deze back-up wilt verwijderen? Dit kan niet ongedaan worden gemaakt." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Back-up herstellen" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "U moet Cura opnieuw starten voordat uw back-up wordt hersteld. Wilt u Cura nu sluiten?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Maak een back-up van uw Cura-instellingen en synchroniseer deze." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Aanmelden" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Mijn back-ups" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "U hebt momenteel geen back-ups. Gebruik de knop 'Nu back-up maken' om een back-up te maken." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Tijdens de voorbeeldfase zijn er maximaal 5 back-ups zichtbaar. Verwijder een back-up als u oudere back-ups wilt bekijken." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Printerinstellingen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Breedte)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Diepte)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Hoogte)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Vorm van het platform" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Centraal oorsprongpunt" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Verwarmd bed" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Verwarmde werkvolume" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Versie G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Printkopinstellingen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Rijbrughoogte" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Aantal extruders" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Pas extruderoffsets toe op GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Start G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Eind G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Nozzle-instellingen" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Maat nozzle" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Compatibele materiaaldiameter" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Nozzle-offset X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Nozzle-offset Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Nummer van koelventilator" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Start-G-code van extruder" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Eind-G-code van extruder" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Printer" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Firmware bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Firmware is de software die direct op de 3D-printer wordt uitgevoerd. Deze firmware bedient de stappenmotoren, regelt de temperatuur en zorgt er in feite voor dat de printer doet wat deze moet doen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "De firmware die bij nieuwe printers wordt geleverd, werkt wel, maar nieuwe versies hebben vaak meer functies en verbeteringen." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Firmware-upgrade Automatisch Uitvoeren" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Aangepaste Firmware Uploaden" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Kan de firmware niet bijwerken omdat er geen verbinding met de printer is." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Kan de firmware niet bijwerken omdat de verbinding met de printer geen ondersteuning biedt voor het uitvoeren van een firmware-upgrade." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Aangepaste firmware selecteren" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Firmware-update" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "De firmware wordt bijgewerkt." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "De firmware-update is voltooid." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Firmware-update mislukt door een onbekende fout." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Firmware-update mislukt door een communicatiefout." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Firmware-update mislukt door een invoer-/uitvoerfout." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Firmware-update mislukt door ontbrekende firmware." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Project openen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Bestaand(e) bijwerken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Nieuw maken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Samenvatting - Cura-project" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Printerinstellingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Hoe dient het conflict in de machine te worden opgelost?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Type" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Printergroep" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Profielinstellingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Hoe dient het conflict in het profiel te worden opgelost?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Naam" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Niet in profiel" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 overschrijving" msgstr[1] "%1 overschrijvingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Afgeleide van" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 overschrijving" msgstr[1] "%1, %2 overschrijvingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Materiaalinstellingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Hoe dient het materiaalconflict te worden opgelost?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Zichtbaarheid instellen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Zichtbare instellingen:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 van %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Als u een project laadt, worden alle modellen van het platform gewist." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Openen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Wilt u meer?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Nu back-up maken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Auto back-up" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Maak elke dag dat Cura wordt gestart, automatisch een back-up." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Herstellen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Back-up verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Weet u zeker dat u deze back-up wilt verwijderen? Dit kan niet ongedaan worden gemaakt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Back-up herstellen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "U moet Cura opnieuw starten voordat uw back-up wordt hersteld. Wilt u Cura nu sluiten?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura-versie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Machines" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materialen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profielen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura-back-ups" +msgid "Post Processing Plugin" +msgstr "Plug-in voor Nabewerking" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Mijn back-ups" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "U hebt momenteel geen back-ups. Gebruik de knop 'Nu back-up maken' om een back-up te maken." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Tijdens de voorbeeldfase zijn er maximaal 5 back-ups zichtbaar. Verwijder een back-up als u oudere back-ups wilt bekijken." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Maak een back-up van uw Cura-instellingen en synchroniseer deze." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Aanmelden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Firmware bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Firmware is de software die direct op de 3D-printer wordt uitgevoerd. Deze firmware bedient de stappenmotoren, regelt de temperatuur en zorgt er in feite voor dat de printer doet wat deze moet doen." +msgid "Post Processing Scripts" +msgstr "Scripts voor Nabewerking" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Een script toevoegen" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "De firmware die bij nieuwe printers wordt geleverd, werkt wel, maar nieuwe versies hebben vaak meer functies en verbeteringen." +msgid "Settings" +msgstr "Instellingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Firmware-upgrade Automatisch Uitvoeren" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Actieve scripts voor nabewerking wijzigen." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Aangepaste Firmware Uploaden" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "Het volgende script is actief:" +msgstr[1] "De volgende scripts zijn actief:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Kan de firmware niet bijwerken omdat er geen verbinding met de printer is." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Kan de firmware niet bijwerken omdat de verbinding met de printer geen ondersteuning biedt voor het uitvoeren van een firmware-upgrade." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Aangepaste firmware selecteren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Firmware-update" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "De firmware wordt bijgewerkt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "De firmware-update is voltooid." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Firmware-update mislukt door een onbekende fout." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Firmware-update mislukt door een communicatiefout." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Firmware-update mislukt door een invoer-/uitvoerfout." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Firmware-update mislukt door ontbrekende firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Afbeelding Converteren..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "De maximale afstand van elke pixel tot de \"Basis\"." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Hoogte (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "De basishoogte van het platform in millimeters." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Basis (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "De breedte op het platform in millimeters." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Breedte (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "De diepte op het platform in millimeters" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Diepte (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Bij lithofanen dienen donkere pixels overeen te komen met de dikkere plekken om meer licht tegen te houden. Bij hoogtekaarten geven lichtere pixels hoger terrein aan. Lichtere pixels dienen daarom overeen te komen met dikkere plekken in het gegenereerde 3D-model." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Donkerder is hoger" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Lichter is hoger" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Voor lithofanen is een eenvoudig logaritmisch model voor doorschijnendheid beschikbaar. Voor hoogtekaarten corresponderen de pixelwaarden lineair met hoogten." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Lineair" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Doorschijnendheid" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "Het percentage licht dat doordringt in een print met een dikte van 1 millimeter. Een lagere waarde verhoogt het contrast in donkere gebieden en verlaagt het contrast in lichte gebieden van de afbeelding." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "Transmissie 1 mm (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "De mate van effening die op de afbeelding moet worden toegepast." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Effenen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Selecteer eventuele upgrades die op deze Ultimaker Original zijn uitgevoerd" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Verwarmd Platform (officiële kit of zelf gebouwd)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Platform Kalibreren" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Je kan nu je platform afstellen, zodat uw prints er altijd fantastisch uitzien. Als u op 'Naar de volgende positie bewegen' klikt, beweegt de nozzle naar de verschillende instelbare posities." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Voor elke positie legt u een stukje papier onder de nozzle en past u de hoogte van het printplatform aan. De hoogte van het printplatform is goed wanneer het papier net door de punt van de nozzle wordt meegenomen." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Kalibratie Platform Starten" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Beweeg Naar de Volgende Positie" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Meer informatie over anonieme gegevensverzameling" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura verzamelt anonieme gegevens om de printkwaliteit en gebruikerservaring te verbeteren. Hieronder ziet u een voorbeeld van alle gegevens die worden gedeeld:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Ik wil geen anonieme gegevens verzenden" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Verzenden van anonieme gegevens toestaan" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Marktplaats" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "U moet Cura opnieuw starten voordat wijzigingen in packages van kracht worden." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Sluit %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Installeren" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Geïnstalleerd" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ga naar Marketplace op internet" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Materialen zoeken" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Compatibiliteit" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Machine" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Platform" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Supportstructuur" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Kwaliteit" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Technisch informatieblad" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Veiligheidsinformatieblad" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Richtlijnen voor printen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Website" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Aanmelden is vereist voor installeren of bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Materiaalspoelen kopen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Bijgewerkt" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Terug" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Printer" +msgid "Plugins" +msgstr "Plug-ins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Nozzle-instellingen" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materialen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Geïnstalleerd" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Maat nozzle" +msgid "Will install upon restarting" +msgstr "Wordt geïnstalleerd na opnieuw starten" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Aanmelden is vereist voor het bijwerken" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Downgraden" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "De-installeren" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Community-bijdragen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Compatibele materiaaldiameter" +msgid "Community Plugins" +msgstr "Community-plug-ins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Nozzle-offset X" +msgid "Generic Materials" +msgstr "Standaard materialen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Packages ophalen..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Nozzle-offset Y" +msgid "Website" +msgstr "Website" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Nummer van koelventilator" +msgid "Email" +msgstr "E-mail" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Start-G-code van extruder" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Meld u aan voor geverifieerde plug-ins en materialen voor Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Eind-G-code van extruder" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Printerinstellingen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Breedte)" +msgid "Version" +msgstr "Versie" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Diepte)" +msgid "Last updated" +msgstr "Laatst bijgewerkt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Hoogte)" +msgid "Brand" +msgstr "Merk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Vorm van het platform" +msgid "Downloads" +msgstr "Downloads" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Geïnstalleerde plug-ins" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Er zijn geen plug-ins geïnstalleerd." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Geïnstalleerde materialen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Er zijn materialen geïnstalleerd." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Gebundelde plug-ins" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Gebundelde materialen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Kan geen verbinding maken met de Cura Package-database. Controleer uw verbinding." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Centraal oorsprongpunt" +msgid "You need to accept the license to install the package" +msgstr "U moet de licentie accepteren om de package te installeren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Wijzigingen van uw account" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Verwijderen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Volgende" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Verwarmd bed" +msgid "The following packages will be added:" +msgstr "De volgende packages worden toegevoegd:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Verwarmde werkvolume" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "De volgende packages kunnen niet worden geïnstalleerd omdat de Cura-versie niet compatibel is:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "De-installeren bevestigen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "U verwijdert materialen en/of profielen die nog in gebruik zijn. Wanneer u het verwijderen bevestigt, worden de volgende materialen/profielen teruggezet naar hun standaardinstellingen." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materialen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profielen" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Bevestigen" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Versie G-code" +msgid "Color scheme" +msgstr "Kleurenschema" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Printkopinstellingen" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Materiaalkleur" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Lijntype" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Snelheid" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Laagdikte" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Lijnbreedte" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Doorvoer" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X min" +msgid "Compatibility Mode" +msgstr "Compatibiliteitsmodus" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y min" +msgid "Travels" +msgstr "Bewegingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X max" +msgid "Helpers" +msgstr "Helpers" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y max" +msgid "Shell" +msgstr "Shell" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Rijbrughoogte" +msgid "Infill" +msgstr "Vulling" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Aantal extruders" +msgid "Starts" +msgstr "Wordt gestart" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Pas extruderoffsets toe op GCode" +msgid "Only Show Top Layers" +msgstr "Alleen bovenlagen weergegeven" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Start G-code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "5 gedetailleerde lagen bovenaan weergeven" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Eind G-code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Boven-/onderkant" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Binnenwand" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Printer beheren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Glas" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Werk de firmware van uw printer bij om de wachtrij op afstand te beheren." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Vanuit Ultimaker Cura kunt u de webcamfeeds voor cloudprinters niet bekijken. Klik op 'Printer beheren' om Ultimaker Digital Factory te bezoeken en deze webcam te bekijken." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Laden..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Niet beschikbaar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Onbereikbaar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Inactief" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Voorbereiden..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Printen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Zonder titel" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anoniem" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Hiervoor zijn configuratiewijzigingen vereist" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Details" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Niet‑beschikbare printer" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Eerst beschikbaar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "In wachtrij" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Beheren in browser" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Er staan geen afdruktaken in de wachtrij. Slice een taak en verzend deze om er een toe te voegen." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Printtaken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Totale printtijd" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Wachten op" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Printen via netwerk" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Printen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Printerselectie" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Configuratiewijzigingen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Overschrijven" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Voor de toegewezen printer, %1, is de volgende configuratiewijziging vereist:" +msgstr[1] "Voor de toegewezen printer, %1, zijn de volgende configuratiewijzigingen vereist:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "De printer %1 is toegewezen. De taak bevat echter een onbekende materiaalconfiguratie." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Wijzig het materiaal %1 van %2 in %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Laad %3 als materiaal %1 (kan niet worden overschreven)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Wijzig de print core %1 van %2 in %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Wijzig het platform naar %1 (kan niet worden overschreven)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Met het overschrijven worden de opgegeven instellingen gebruikt met de bestaande printerconfiguratie. De print kan hierdoor mislukken." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Aluminium" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Gereed" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Afbreken..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Afgebroken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Pauzeren..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Gepauzeerd" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Hervatten..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Handeling nodig" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Voltooit %1 om %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Verbinding Maken met Printer in het Netwerk" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Als u rechtstreeks via het netwerk wilt printen naar de printer, moet u ervoor zorgen dat de printer met een netwerkkabel is verbonden met het netwerk of moet u verbinding maken met de printer via het wifi-netwerk. Als u geen verbinding maakt tussen Cura en de printer, kunt u een USB-station gebruiken om G-code-bestanden naar de printer over te zetten." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Selecteer uw printer in de onderstaande lijst:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Bewerken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Verwijderen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Vernieuwen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Raadpleeg de handleiding voor probleemoplossing bij printen via het netwerk als uw printer niet in de lijst wordt vermeld" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Type" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Firmwareversie" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Adres" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Deze printer is niet ingesteld voor het hosten van een groep printers." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Deze printer is de host voor een groep van %1 printers." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "De printer op dit adres heeft nog niet gereageerd." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Verbinden" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Ongeldig IP-adres" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Voer een geldig IP-adres in." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Printeradres" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Voer het IP-adres van uw printer in het netwerk in." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Plaats bovenaan" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Verwijderen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Hervatten" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Pauzeren..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Hervatten..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pauzeren" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Afbreken..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Afbreken" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Weet u zeker dat u %1 bovenaan de wachtrij wilt plaatsen?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Plaats printtaak bovenaan" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Weet u zeker dat u %1 wilt verwijderen?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Printtaak verwijderen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Weet u zeker dat u %1 wilt afbreken?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Printen afbreken" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2322,1489 +3327,435 @@ msgstr "" "- Controleer of de printer verbonden is met het netwerk.\n" "- Controleer of u bent aangemeld om met de cloud verbonden printers te detecteren." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Verbind uw printer met het netwerk." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Gebruikershandleidingen online weergegeven" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Sluit de printer aan om uw printopdracht vanuit Cura te volgen." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Rastertype" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normaal model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Printen als supportstructuur" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Instellingen aanpassen voor overlapping" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Supportstructuur niet laten overlappen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Alleen vulraster" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Snijdend raster" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Instellingen selecteren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Instellingen Selecteren om Dit Model Aan te Passen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filteren..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Alles weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in voor Nabewerking" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts voor Nabewerking" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Een script toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Instellingen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Actieve scripts voor nabewerking wijzigen." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "In deze print kunnen problemen ontstaan. Klik om tips voor aanpassingen te bekijken." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Het volgende script is actief:" -msgstr[1] "De volgende scripts zijn actief:" +msgid "3D View" +msgstr "3D-weergave" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Kleurenschema" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Materiaalkleur" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Lijntype" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Snelheid" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Laagdikte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Lijnbreedte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Doorvoer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Compatibiliteitsmodus" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Bewegingen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Helpers" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Shell" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Vulling" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Wordt gestart" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Alleen bovenlagen weergegeven" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "5 gedetailleerde lagen bovenaan weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Boven-/onderkant" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Binnenwand" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Meer informatie over anonieme gegevensverzameling" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura verzamelt anonieme gegevens om de printkwaliteit en gebruikerservaring te verbeteren. Hieronder ziet u een voorbeeld van alle gegevens die worden gedeeld:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Ik wil geen anonieme gegevens verzenden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Verzenden van anonieme gegevens toestaan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Terug" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibiliteit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Machine" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Platform" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Supportstructuur" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Kwaliteit" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Technisch informatieblad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Veiligheidsinformatieblad" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Richtlijnen voor printen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Website" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Geïnstalleerd" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Aanmelden is vereist voor installeren of bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Materiaalspoelen kopen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Bijgewerkt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ga naar Marketplace op internet" +msgid "Front View" +msgstr "Weergave voorzijde" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Weergave bovenzijde" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Linkeraanzicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Rechteraanzicht" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Materialen zoeken" +msgid "Object list" +msgstr "Lijst met objecten" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "U moet Cura opnieuw starten voordat wijzigingen in packages van kracht worden." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Sluit %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materialen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Geïnstalleerd" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Wordt geïnstalleerd na opnieuw starten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Aanmelden is vereist voor het bijwerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgraden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "De-installeren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Installeren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Wijzigingen van uw account" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Volgende" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "De volgende packages worden toegevoegd:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "De volgende packages kunnen niet worden geïnstalleerd omdat de Cura-versie niet compatibel is:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "De-installeren bevestigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "U verwijdert materialen en/of profielen die nog in gebruik zijn. Wanneer u het verwijderen bevestigt, worden de volgende materialen/profielen teruggezet naar hun standaardinstellingen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materialen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profielen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Bevestigen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "U moet de licentie accepteren om de package te installeren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Website" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Laatst bijgewerkt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Merk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Downloads" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Community-bijdragen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Community-plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Standaard materialen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Kan geen verbinding maken met de Cura Package-database. Controleer uw verbinding." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Geïnstalleerde plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Er zijn geen plug-ins geïnstalleerd." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Geïnstalleerde materialen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Er zijn materialen geïnstalleerd." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Gebundelde plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Gebundelde materialen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Packages ophalen..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Meld u aan voor geverifieerde plug-ins en materialen voor Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Marktplaats" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Platform Kalibreren" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Bestand" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Je kan nu je platform afstellen, zodat uw prints er altijd fantastisch uitzien. Als u op 'Naar de volgende positie bewegen' klikt, beweegt de nozzle naar de verschillende instelbare posities." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "B&ewerken" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Voor elke positie legt u een stukje papier onder de nozzle en past u de hoogte van het printplatform aan. De hoogte van het printplatform is goed wanneer het papier net door de punt van de nozzle wordt meegenomen." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "Beel&d" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Kalibratie Platform Starten" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "In&stellingen" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Beweeg Naar de Volgende Positie" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensies" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Selecteer eventuele upgrades die op deze Ultimaker Original zijn uitgevoerd" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Voo&rkeuren" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Verwarmd Platform (officiële kit of zelf gebouwd)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Help" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Verbinding Maken met Printer in het Netwerk" +msgid "New project" +msgstr "Nieuw project" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Als u rechtstreeks via het netwerk wilt printen naar de printer, moet u ervoor zorgen dat de printer met een netwerkkabel is verbonden met het netwerk of moet u verbinding maken met de printer via het wifi-netwerk. Als u geen verbinding maakt tussen Cura en de printer, kunt u een USB-station gebruiken om G-code-bestanden naar de printer over te zetten." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Weet u zeker dat u een nieuw project wilt starten? Hiermee wordt het platform leeggemaakt en worden eventuele niet-opgeslagen instellingen verwijderd." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Selecteer uw printer in de onderstaande lijst:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Bewerken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Vernieuwen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Raadpleeg de handleiding voor probleemoplossing bij printen via het netwerk als uw printer niet in de lijst wordt vermeld" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Type" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Firmwareversie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Deze printer is niet ingesteld voor het hosten van een groep printers." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Deze printer is de host voor een groep van %1 printers." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "De printer op dit adres heeft nog niet gereageerd." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Verbinden" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Ongeldig IP-adres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Voer een geldig IP-adres in." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Printeradres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Voer het IP-adres van uw printer in het netwerk in." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Configuratiewijzigingen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Overschrijven" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Voor de toegewezen printer, %1, is de volgende configuratiewijziging vereist:" -msgstr[1] "Voor de toegewezen printer, %1, zijn de volgende configuratiewijzigingen vereist:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "De printer %1 is toegewezen. De taak bevat echter een onbekende materiaalconfiguratie." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Wijzig het materiaal %1 van %2 in %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Laad %3 als materiaal %1 (kan niet worden overschreven)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Wijzig de print core %1 van %2 in %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Wijzig het platform naar %1 (kan niet worden overschreven)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Met het overschrijven worden de opgegeven instellingen gebruikt met de bestaande printerconfiguratie. De print kan hierdoor mislukken." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Glas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Plaats bovenaan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Hervatten" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pauzeren..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Hervatten..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pauzeren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Afbreken..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Afbreken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Weet u zeker dat u %1 bovenaan de wachtrij wilt plaatsen?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Plaats printtaak bovenaan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Weet u zeker dat u %1 wilt verwijderen?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Printtaak verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Weet u zeker dat u %1 wilt afbreken?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Printen afbreken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Printer beheren" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Werk de firmware van uw printer bij om de wachtrij op afstand te beheren." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Vanuit Ultimaker Cura kunt u de webcamfeeds voor cloudprinters niet bekijken. Klik op 'Printer beheren' om Ultimaker Digital Factory te bezoeken en deze" -" webcam te bekijken." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Laden..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Niet beschikbaar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Onbereikbaar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Inactief" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Voorbereiden..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Printen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Zonder titel" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anoniem" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Hiervoor zijn configuratiewijzigingen vereist" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Details" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Niet‑beschikbare printer" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Eerst beschikbaar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Afgebroken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Gereed" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Afbreken..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pauzeren..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Gepauzeerd" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Hervatten..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Handeling nodig" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Voltooit %1 om %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "In wachtrij" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Beheren in browser" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Er staan geen afdruktaken in de wachtrij. Slice een taak en verzend deze om er een toe te voegen." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Printtaken" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Totale printtijd" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Wachten op" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Printen via netwerk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Printen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Printerselectie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Aanmelden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Meld u aan op het Ultimaker-platform" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Voeg materiaalprofielen en plug-ins toe uit de Marktplaats\n" -"- Maak back-ups van uw materiaalprofielen en plug-ins en synchroniseer deze\n" -"- Deel ideeën met 48.000+ gebruikers in de Ultimaker-community of vraag hen om ondersteuning" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Maak een gratis Ultimaker-account aan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Aan het controleren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Account gesynchroniseerd" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Er is een fout opgetreden..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Updates in afwachting installeren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Controleren op accountupdates" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Laatste update: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker-account" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Afmelden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Geen tijdschatting beschikbaar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Geen kostenraming beschikbaar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Voorbeeld" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Tijdschatting" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Materiaalschatting" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Slicen..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Kan niet slicen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Verwerken" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Slicen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Het sliceproces starten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Annuleren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Online gids voor probleemoplossing weergegeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Volledig Scherm In-/Uitschakelen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Volledig scherm sluiten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "Ongedaan &Maken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Opnieuw" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Afsluiten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D-weergave" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Weergave voorzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Weergave bovenzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Aanzicht onderzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Weergave linkerzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Weergave rechterzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Cura Configureren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Printer Toevoegen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Pr&inters Beheren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Materialen Beheren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Meer materialen toevoegen van Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "Profiel bijwerken met h&uidige instellingen/overschrijvingen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "Hui&dige wijzigingen verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "Profiel maken op basis van huidige instellingen/overs&chrijvingen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profielen Beheren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Online &Documentatie Weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Een &Bug Rapporteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Nieuwe functies" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Over..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Verwijder geselecteerde items" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centreer geselecteerde items" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Verveelvoudig geselecteerde items" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Model Verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Model op Platform Ce&ntreren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "Modellen &Groeperen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Groeperen van Modellen Opheffen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Modellen Samen&voegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Model verveelvoudigen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Alle Modellen Selecteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Platform Leegmaken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Alle Modellen Opnieuw Laden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Alle modellen schikken op alle platformen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Alle modellen schikken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Selectie schikken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Alle Modelposities Herstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Alle Modeltransformaties Herstellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "Bestand(en) &openen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nieuw project..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Open Configuratiemap" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Zichtbaarheid Instelling Configureren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marktplaats" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Mijn printers" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Volg uw printers in Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Maak printprojecten aan in Digital Library." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Printtaken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Volg printtaken en print opnieuw vanuit uw printgeschiedenis." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Breid Ultimaker Cura uit met plug-ins en materiaalprofielen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Word een 3D-printexpert met Ultimaker e-learning." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ondersteuning van Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Leer hoe u aan de slag gaat met Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Stel een vraag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Consulteer de Ultimaker Community." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Een fout melden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Laat ontwikkelaars weten dat er iets misgaat." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Bezoek de Ultimaker-website." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Dit package wordt na opnieuw starten geïnstalleerd." +msgid "Time estimation" +msgstr "Tijdschatting" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Algemeen" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Materiaalschatting" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Instellingen" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1 m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Printers" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1 g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profielen" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Geen tijdschatting beschikbaar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 wordt gesloten" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Geen kostenraming beschikbaar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Weet u zeker dat u %1 wilt afsluiten?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Voorbeeld" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Bestand(en) openen" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Een printer toevoegen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Package installeren" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Een netwerkprinter toevoegen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Bestand(en) openen" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Een niet-netwerkprinter toevoegen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Binnen de door u geselecteerde bestanden zijn een of meer G-code-bestanden aangetroffen. U kunt maximaal één G-code-bestand tegelijk openen. Selecteer maximaal één bestand als u dit wilt openen als G-code-bestand." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Een cloudprinter toevoegen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Printer Toevoegen" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Wachten op cloudreactie" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Geen printers gevonden in uw account?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "De volgende printers in uw account zijn toegevoegd in Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Printer handmatig toevoegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Een printer toevoegen op IP-adres" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Voer het IP-adres van uw printer in." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Toevoegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Kan geen verbinding maken met het apparaat." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Kunt u geen verbinding maken met uw Ultimaker-printer?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "De printer op dit adres heeft nog niet gereageerd." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Kan de printer niet toevoegen omdat het een onbekende printer is of omdat het niet de host in een groep is." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Terug" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Verbinding maken" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Gebruikersovereenkomst" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Afwijzen en sluiten" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Welkom bij Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Volg deze stappen voor het instellen van\n" +"Ultimaker Cura. Dit duurt slechts even." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Aan de slag" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Meld u aan op het Ultimaker-platform" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Voeg materiaalinstellingen en plugins uit de Marktplaats toe" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Maak een back-up van uw materiaalinstellingen en plug-ins en synchroniseer deze" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Deel ideeën met 48,000+ gebruikers in de Ultimaker Community of vraag hen om ondersteuning" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Overslaan" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Maak een gratis Ultimaker-account aan" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Fabrikant" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Profieleigenaar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Printernaam" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Geef uw printer een naam" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Kan in uw netwerk geen printer vinden." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Vernieuwen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Printer toevoegen op IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Een cloudprinter toevoegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Probleemoplossing" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Help ons Ultimaker Cura te verbeteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura verzamelt anonieme gegevens om de printkwaliteit en gebruikerservaring te verbeteren, waaronder:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Machinetypen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Materiaalgebruik" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Aantal slices" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Instellingen voor printen" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "De gegevens die Ultimaker Cura verzamelt, bevatten geen persoonlijke informatie." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Meer informatie" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Nieuwe functies" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Leeg" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Release notes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "Ongeveer %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "versie: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "End-to-end-oplossing voor fused filament 3D-printen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3813,183 +3764,204 @@ msgstr "" "Cura is ontwikkeld door Ultimaker B.V. in samenwerking met de community.\n" "Cura maakt met trots gebruik van de volgende opensourceprojecten:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Grafische gebruikersinterface (GUI)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Toepassingskader" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-code-generator" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "InterProcess Communication-bibliotheek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Programmeertaal" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI-kader" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Bindingen met GUI-kader" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Bindingenbibliotheek C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Indeling voor gegevensuitwisseling" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Ondersteuningsbibliotheek voor wetenschappelijke berekeningen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Ondersteuningsbibliotheek voor snellere berekeningen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Ondersteuningsbibliotheek voor het verwerken van STL-bestanden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Ondersteuningsbibliotheek voor het verwerken van tweedimensionale objecten" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Ondersteuningsbibliotheek voor het verwerken van driehoekig rasters" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Ondersteuningsbibliotheek voor het verwerken van 3MF-bestanden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Ondersteuningsbibliotheek voor bestandsmetadata en streaming" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Seriële-communicatiebibliotheek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf-detectiebibliotheek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Bibliotheek met veelhoeken" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Statische typecontrole voor Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Rootcertificaten voor het valideren van SSL-betrouwbaarheid" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Python fouttraceringsbibliotheek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Verpakkingsbibliotheek met veelhoeken, ontwikkeld door Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Pythonbindingen voor libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Ondersteuningsbibliotheek voor toegang tot systeemkeyring" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Pythonextensies voor Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Lettertype" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG-pictogrammen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Implementatie van Linux-toepassing voor kruisdistributie" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Projectbestand openen" +msgid "Open file(s)" +msgstr "Bestand(en) openen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Dit is een Cura-projectbestand. Wilt u dit openen als project of de modellen eruit importeren?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Binnen de door u geselecteerde bestanden zijn een of meer projectbestanden aangetroffen. U kunt slechts één projectbestand tegelijk openen. Het wordt aangeraden alleen modellen uit deze bestanden te importeren. Wilt u verdergaan?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Mijn keuze onthouden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Openen als project" +msgid "Import all as models" +msgstr "Allemaal als model importeren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Project opslaan" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extruder %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 &materiaal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Materiaal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Bij opnieuw opslaan projectsamenvatting niet weergeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Modellen importeren" +msgid "Save" +msgstr "Opslaan" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Wijzigingen verwijderen of behouden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -4000,1251 +3972,144 @@ msgstr "" "Wilt u deze gewijzigde instellingen behouden na het verwisselen van profielen?\n" "U kunt de wijzigingen ook verwijderen om de standaardinstellingen van '%1' te laden." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Profielinstellingen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Huidige wijzigingen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Altijd vragen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Verwijderen en nooit meer vragen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Behouden en nooit meer vragen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Wijzigingen verwijderen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Wijzigingen behouden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Projectbestand openen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Binnen de door u geselecteerde bestanden zijn een of meer projectbestanden aangetroffen. U kunt slechts één projectbestand tegelijk openen. Het wordt aangeraden alleen modellen uit deze bestanden te importeren. Wilt u verdergaan?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Dit is een Cura-projectbestand. Wilt u dit openen als project of de modellen eruit importeren?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Mijn keuze onthouden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Allemaal als model importeren" +msgid "Open as project" +msgstr "Openen als project" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Project opslaan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extruder %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 &materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Bij opnieuw opslaan projectsamenvatting niet weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Opslaan" +msgid "Import models" +msgstr "Modellen importeren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Geselecteerd model printen met %1" -msgstr[1] "Geselecteerde modellen printen met %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Zonder titel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Bestand" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "B&ewerken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "Beel&d" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "In&stellingen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensies" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Voo&rkeuren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Help" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Nieuw project" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Weet u zeker dat u een nieuw project wilt starten? Hiermee wordt het platform leeggemaakt en worden eventuele niet-opgeslagen instellingen verwijderd." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marktplaats" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configuraties" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Deze configuratie is niet beschikbaar omdat %1 niet wordt herkend. Ga naar %2 om het juiste materiaalprofiel te downloaden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marktplaats" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Beschikbare configuraties laden vanaf de printer..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "De configuraties zijn niet beschikbaar omdat de printer niet verbonden is." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Configuratie selecteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Configuraties" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Aangepast" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Printer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Ingeschakeld" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Gebruik lijm bij deze combinatie van materialen voor een betere hechting." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Geselecteerd model printen met:" -msgstr[1] "Geselecteerde modellen printen met:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Geselecteerd model verveelvoudigen" -msgstr[1] "Geselecteerde modellen verveelvoudigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Aantal exemplaren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Project opslaan..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exporteren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Selectie Exporteren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favorieten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Standaard" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Bestand(en) openen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Netwerkprinters" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Lokale printers" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "&Recente bestanden openen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Project opslaan..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Printer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Instellen als Actieve Extruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Extruder inschakelen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Extruder uitschakelen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Zichtbare instellingen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Alle categorieën samenvouwen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Instelling voor zichtbaarheid beheren..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Camerapositie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Camerabeeld" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspectief" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Orthografisch" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Platform" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Niet met een printer verbonden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Printer accepteert geen opdrachten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "In onderhoud. Controleer de printer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Verbinding met de printer is verbroken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Printen..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Gepauzeerd" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Voorbereiden..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Verwijder de print" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Printen Afbreken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Weet u zeker dat u het printen wilt afbreken?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Is geprint als support." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Andere modellen die met dit model overlappen, zijn gewijzigd." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "De vulling die met dit model overlapt, is aangepast." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Overlappingen worden in dit model niet ondersteund." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Overschrijft %1 instelling." -msgstr[1] "Overschrijft %1 instellingen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lijst met objecten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interface" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Valuta:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Thema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "U moet de toepassing opnieuw starten voordat deze wijzigingen van kracht worden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Automatisch slicen bij wijzigen van instellingen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatisch slicen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Gedrag kijkvenster" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Geef niet-ondersteunde gedeelten van het model een rode markering. Zonder ondersteuning zullen deze gedeelten niet goed worden geprint." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Overhang weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Markeer ontbrekende of ongebruikelijke oppervlakken van het model met behulp van waarschuwingstekens. De toolpaths zullen vaak delen van de beoogde geometrie missen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Modelfouten weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Verplaatst de camera zodanig dat wanneer een model wordt geselecteerd, het model in het midden van het beeld wordt weergegeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Camera centreren wanneer een item wordt geselecteerd" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Moet het standaard zoomgedrag van Cura worden omgekeerd?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Keer de richting van de camerazoom om." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Moet het zoomen in de richting van de muis gebeuren?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Zoomen in de richting van de muis wordt niet ondersteund in het orthografische perspectief." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Zoomen in de richting van de muis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Moeten modellen op het platform zodanig worden verplaatst dat ze elkaar niet meer doorsnijden?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Modellen gescheiden houden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Moeten modellen in het printgebied omlaag worden gebracht zodat ze het platform raken?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Modellen automatisch op het platform laten vallen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Toon het waarschuwingsbericht in de G-code-lezer." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Waarschuwingsbericht in de G-code-lezer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Moet de laag in de compatibiliteitsmodus worden geforceerd?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Compatibiliteitsmodus voor laagweergave forceren (opnieuw opstarten vereist)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Moet Cura openen op de locatie waar het gesloten werd?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Herstel de vensterpositie bij het opstarten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Welk type cameraweergave moet worden gebruikt?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Cameraweergave:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspectief" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Orthografisch" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Bestanden openen en opslaan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Wilt u dat bestanden vanaf de desktop of externe toepassingen in dezelfde instantie van Cura worden geopend?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Gebruik één instantie van Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Moet het platform worden leeggemaakt voordat u een nieuw model laadt in de dezelfde instantie van Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Maak platform leeg voordat u een model laadt in dezelfde instantie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Moeten modellen worden geschaald naar het werkvolume als ze te groot zijn?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Grote modellen schalen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Een model wordt mogelijk extreem klein weergegeven als de eenheden bijvoorbeeld in meters zijn in plaats van in millimeters. Moeten dergelijke modellen worden opgeschaald?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Extreem kleine modellen schalen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Moeten modellen worden geselecteerd nadat ze zijn geladen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Modellen selecteren wanneer ze geladen zijn" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Moet er automatisch een op de printernaam gebaseerde voorvoegsel aan de naam van de printtaak worden toegevoegd?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Machinevoorvoegsel toevoegen aan taaknaam" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Dient er een samenvatting te worden weergegeven wanneer een projectbestand wordt opgeslagen?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Dialoogvenster voor samenvatting weergeven tijdens het opslaan van een project" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Standaardgedrag tijdens het openen van een projectbestand" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Standaardgedrag tijdens het openen van een projectbestand: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Altijd vragen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Altijd als project openen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Altijd modellen importeren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Wanneer u wijzigingen hebt aangebracht aan een profiel en naar een ander profiel wisselt, wordt een dialoogvenster weergegeven waarin u wordt gevraagd of u de aanpassingen wilt behouden. U kunt ook een standaardgedrag kiezen en het dialoogvenster nooit meer laten weergeven." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profielen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Standaardgedrag voor gewijzigde instellingen wanneer er naar een ander profiel wordt overgeschakeld: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Gewijzigde instellingen altijd verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Gewijzigde instellingen altijd naar nieuw profiel overbrengen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Mogen anonieme gegevens over uw print naar Ultimaker worden verzonden? Opmerking: er worden geen modellen, IP-adressen of andere persoonlijk identificeerbare gegevens verzonden of opgeslagen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(Anonieme) printgegevens verzenden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Meer informatie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Updates" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Moet Cura op updates controleren wanneer het programma wordt gestart?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Bij starten op updates controleren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Kijk bij het controleren op updates alleen naar stabiele releases." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Alleen stabiele releases" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Kijk bij het controleren op updates naar stabiele releases en bèta-releases." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Stabiele releases en bèta-releases" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Moet er elke keer dat Cura wordt opgestart automatisch worden gecontroleerd op nieuwe plug-ins? Wij raden u ten zeerste aan dit niet uit te schakelen!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Meldingen ontvangen als er updates zijn voor pug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Activeren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Hernoemen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Maken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Dupliceren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importeren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exporteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Synchroniseren met printers" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Printer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Verwijderen Bevestigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Weet u zeker dat u %1 wilt verwijderen? Deze bewerking kan niet ongedaan worden gemaakt!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Materiaal Importeren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Kon materiaal %1 niet importeren: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Materiaal %1 is geïmporteerd" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Materiaal Exporteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Exporteren van materiaal naar %1 is mislukt: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Materiaal is geëxporteerd naar %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Alle materialen exporteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informatie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Diameterwijziging bevestigen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Het nieuwe filament is ingesteld op %1 mm. Dit is niet compatibel met de huidige extruder. Wilt u verder gaan?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Naam" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Type Materiaal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Kleur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Eigenschappen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Dichtheid" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diameter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Kostprijs Filament" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Gewicht filament" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Lengte filament" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Kostprijs per meter" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Dit materiaal is gekoppeld aan %1 en deelt hiermee enkele eigenschappen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Materiaal ontkoppelen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Beschrijving" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Gegevens Hechting" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Instellingen voor printen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Maken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Dupliceren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profiel Maken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Geef een naam op voor dit profiel." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profiel Dupliceren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profiel Hernoemen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profiel Importeren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profiel Exporteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Printer: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Profiel bijwerken met huidige instellingen/overschrijvingen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Huidige wijzigingen verwijderen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Dit profiel gebruikt de standaardinstellingen die door de printer zijn opgegeven, dus er zijn hiervoor geen instellingen/overschrijvingen in de onderstaande lijst." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Uw huidige instellingen komen overeen met het geselecteerde profiel." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Algemene Instellingen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Berekend" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Instelling" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profiel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Huidig" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Eenheid" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Zichtbaarheid Instellen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Alles aanvinken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "De doeltemperatuur van de hot-end. De hot-end wordt verwarmd of afgekoeld totdat deze temperatuur bereikt is. Als deze waarde ingesteld is op 0, wordt de verwarming van de hot-end uitgeschakeld." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "De huidige temperatuur van dit hotend." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "De temperatuur waarnaar het hotend moet worden voorverwarmd." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Annuleren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Voorverwarmen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Verwarm het hotend voordat u gaat printen. U kunt doorgaan met het aanpassen van uw print terwijl het hotend wordt verwarmd. Zo hoeft u niet te wachten totdat het hotend is opgewarmd wanneer u gereed bent om te printen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "De kleur van het materiaal in deze extruder." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Het materiaal in deze extruder." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "De nozzle die in deze extruder geplaatst is." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Platform" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "De doeltemperatuur van het verwarmde bed. Het bed wordt verwarmd of afgekoeld totdat deze temperatuur bereikt is. Als deze waarde ingesteld is op 0, wordt de verwarming van het bed uitgeschakeld." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "De huidige temperatuur van het verwarmde bed." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "De temperatuur waarnaar het bed moet worden voorverwarmd." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Verwarm het bed voordat u gaat printen. U kunt doorgaan met het aanpassen van uw print terwijl het bed wordt verwarmd. Zo hoeft u niet te wachten totdat het bed opgewarmd is wanneer u gereed bent om te printen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Printerbediening" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Jog-positie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Jog-afstand" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "G-code verzenden" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Verzend een aangepaste G-code-opdracht naar de verbonden printer. Druk op Enter om de opdracht te verzenden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Er is geen verbinding met de printer." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "De cloudprinter is offline. Controleer of de printer is ingeschakeld en verbonden is met internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Deze printer is niet gekoppeld aan uw account. Ga naar de Ultimaker Digital Factory om een verbinding tot stand te brengen." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "De cloudverbinding is momenteel niet beschikbaar. Log in om verbinding te maken met de cloudprinter." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "De cloudverbinding is momenteel niet beschikbaar. Controleer uw internetverbinding." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Printer toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Printers beheren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Verbonden printers" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Vooraf ingestelde printers" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Actieve print" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Taaknaam" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Printtijd" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Geschatte resterende tijd" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "De cloudprinter is offline. Controleer of de printer is ingeschakeld en verbonden is met internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Deze printer is niet gekoppeld aan uw account. Ga naar de Ultimaker Digital Factory om een verbinding tot stand te brengen." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "De cloudverbinding is momenteel niet beschikbaar. Log in om verbinding te maken met de cloudprinter." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "De cloudverbinding is momenteel niet beschikbaar. Controleer uw internetverbinding." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Printer toevoegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Printers beheren" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Verbonden printers" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Vooraf ingestelde printers" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Instellingen voor printen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "De printinstelling is uitgeschakeld. Het G-code-bestand kan niet worden gewijzigd." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profiel" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5255,120 +4120,1703 @@ msgstr "" "\n" "Klik om het profielbeheer te openen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Aangepaste profielen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Huidige wijzigingen verwijderen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Aanbevolen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Aangepast" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Aan" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Uit" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimenteel" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Er is geen %1 profiel voor de configuratie in extruder %2. In plaats daarvan wordt de standaardintentie gebruikt" msgstr[1] "Er is geen %1 profiel voor de configuraties in extruders %2. In plaats daarvan wordt de standaardintentie gebruikt" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "De printinstelling is uitgeschakeld. Het G-code-bestand kan niet worden gewijzigd." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Aanbevolen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Aangepast" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Aan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Uit" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Experimenteel" +msgid "Profiles" +msgstr "Profielen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Hechting" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Het printen van een brim of raft inschakelen. Deze optie zorgt ervoor dat er extra materiaal rondom of onder het object wordt neergelegd, dat er naderhand eenvoudig kan worden afgesneden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Geleidelijke vulling" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Met geleidelijke vulling neemt de hoeveelheid vulling naar boven toe." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "U hebt enkele profielinstellingen aangepast. Ga naar de aangepaste modus als u deze wilt wijzigen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Supportstructuur" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Genereer structuren om delen van het model met overhang te ondersteunen. Zonder deze structuren zakken dergelijke delen in tijdens het printen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Een aantal verborgen instellingen gebruiken andere waarden dan hun normale berekende waarde.\n" -"\n" -"Klik om deze instellingen zichtbaar te maken." +msgid "Gradual infill" +msgstr "Geleidelijke vulling" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Met geleidelijke vulling neemt de hoeveelheid vulling naar boven toe." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Hechting" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Het printen van een brim of raft inschakelen. Deze optie zorgt ervoor dat er extra materiaal rondom of onder het object wordt neergelegd, dat er naderhand eenvoudig kan worden afgesneden." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Project opslaan..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Netwerkprinters" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Lokale printers" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Materiaal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favorieten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Standaard" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Geselecteerd model printen met:" +msgstr[1] "Geselecteerde modellen printen met:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Geselecteerd model verveelvoudigen" +msgstr[1] "Geselecteerde modellen verveelvoudigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Aantal exemplaren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Project opslaan..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Exporteren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Selectie Exporteren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configuraties" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Aangepast" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Printer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Ingeschakeld" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Materiaal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Gebruik lijm bij deze combinatie van materialen voor een betere hechting." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Configuratie selecteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Configuraties" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Beschikbare configuraties laden vanaf de printer..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "De configuraties zijn niet beschikbaar omdat de printer niet verbonden is." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Deze configuratie is niet beschikbaar omdat %1 niet wordt herkend. Ga naar %2 om het juiste materiaalprofiel te downloaden." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Marktplaats" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Bestand(en) openen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Printer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Materiaal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Instellen als Actieve Extruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Extruder inschakelen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Extruder uitschakelen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "&Recente bestanden openen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Zichtbare instellingen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Alle categorieën samenvouwen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Instelling voor zichtbaarheid beheren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Camerapositie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Camerabeeld" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspectief" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Orthografisch" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Platform" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Type weergeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Is geprint als support." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Andere modellen die met dit model overlappen, zijn gewijzigd." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "De vulling die met dit model overlapt, is aangepast." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Overlappingen worden in dit model niet ondersteund." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Overschrijft %1 instelling." +msgstr[1] "Overschrijft %1 instellingen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profielen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Activeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Maken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Dupliceren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Hernoemen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Exporteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Profiel Maken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Geef een naam op voor dit profiel." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Profiel Dupliceren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Verwijderen Bevestigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Weet u zeker dat u %1 wilt verwijderen? Deze bewerking kan niet ongedaan worden gemaakt!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Profiel Hernoemen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Profiel Importeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Profiel Exporteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Printer: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Profiel bijwerken met huidige instellingen/overschrijvingen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Dit profiel gebruikt de standaardinstellingen die door de printer zijn opgegeven, dus er zijn hiervoor geen instellingen/overschrijvingen in de onderstaande lijst." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Uw huidige instellingen komen overeen met het geselecteerde profiel." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Algemene Instellingen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Algemeen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Valuta:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Thema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "U moet de toepassing opnieuw starten voordat deze wijzigingen van kracht worden." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Automatisch slicen bij wijzigen van instellingen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatisch slicen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Gedrag kijkvenster" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Geef niet-ondersteunde gedeelten van het model een rode markering. Zonder ondersteuning zullen deze gedeelten niet goed worden geprint." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Overhang weergeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Markeer ontbrekende of ongebruikelijke oppervlakken van het model met behulp van waarschuwingstekens. De toolpaths zullen vaak delen van de beoogde geometrie missen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Modelfouten weergeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Verplaatst de camera zodanig dat wanneer een model wordt geselecteerd, het model in het midden van het beeld wordt weergegeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Camera centreren wanneer een item wordt geselecteerd" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Moet het standaard zoomgedrag van Cura worden omgekeerd?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Keer de richting van de camerazoom om." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Moet het zoomen in de richting van de muis gebeuren?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Zoomen in de richting van de muis wordt niet ondersteund in het orthografische perspectief." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Zoomen in de richting van de muis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Moeten modellen op het platform zodanig worden verplaatst dat ze elkaar niet meer doorsnijden?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Modellen gescheiden houden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Moeten modellen in het printgebied omlaag worden gebracht zodat ze het platform raken?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Modellen automatisch op het platform laten vallen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Toon het waarschuwingsbericht in de G-code-lezer." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Waarschuwingsbericht in de G-code-lezer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Moet de laag in de compatibiliteitsmodus worden geforceerd?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Compatibiliteitsmodus voor laagweergave forceren (opnieuw opstarten vereist)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Moet Cura openen op de locatie waar het gesloten werd?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Herstel de vensterpositie bij het opstarten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Welk type cameraweergave moet worden gebruikt?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Cameraweergave:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspectief" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Orthografisch" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Bestanden openen en opslaan" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Wilt u dat bestanden vanaf de desktop of externe toepassingen in dezelfde instantie van Cura worden geopend?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Gebruik één instantie van Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Moet het platform worden leeggemaakt voordat u een nieuw model laadt in de dezelfde instantie van Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Maak platform leeg voordat u een model laadt in dezelfde instantie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Moeten modellen worden geschaald naar het werkvolume als ze te groot zijn?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Grote modellen schalen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Een model wordt mogelijk extreem klein weergegeven als de eenheden bijvoorbeeld in meters zijn in plaats van in millimeters. Moeten dergelijke modellen worden opgeschaald?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Extreem kleine modellen schalen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Moeten modellen worden geselecteerd nadat ze zijn geladen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Modellen selecteren wanneer ze geladen zijn" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Moet er automatisch een op de printernaam gebaseerde voorvoegsel aan de naam van de printtaak worden toegevoegd?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Machinevoorvoegsel toevoegen aan taaknaam" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Dient er een samenvatting te worden weergegeven wanneer een projectbestand wordt opgeslagen?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Dialoogvenster voor samenvatting weergeven tijdens het opslaan van een project" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Standaardgedrag tijdens het openen van een projectbestand" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Standaardgedrag tijdens het openen van een projectbestand: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Altijd vragen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Altijd als project openen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Altijd modellen importeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Wanneer u wijzigingen hebt aangebracht aan een profiel en naar een ander profiel wisselt, wordt een dialoogvenster weergegeven waarin u wordt gevraagd of u de aanpassingen wilt behouden. U kunt ook een standaardgedrag kiezen en het dialoogvenster nooit meer laten weergeven." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Standaardgedrag voor gewijzigde instellingen wanneer er naar een ander profiel wordt overgeschakeld: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Gewijzigde instellingen altijd verwijderen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Gewijzigde instellingen altijd naar nieuw profiel overbrengen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Mogen anonieme gegevens over uw print naar Ultimaker worden verzonden? Opmerking: er worden geen modellen, IP-adressen of andere persoonlijk identificeerbare gegevens verzonden of opgeslagen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(Anonieme) printgegevens verzenden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Meer informatie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Updates" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Moet Cura op updates controleren wanneer het programma wordt gestart?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Bij starten op updates controleren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Kijk bij het controleren op updates alleen naar stabiele releases." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Alleen stabiele releases" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Kijk bij het controleren op updates naar stabiele releases en bèta-releases." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Stabiele releases en bèta-releases" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Moet er elke keer dat Cura wordt opgestart automatisch worden gecontroleerd op nieuwe plug-ins? Wij raden u ten zeerste aan dit niet uit te schakelen!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Meldingen ontvangen als er updates zijn voor pug-ins" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informatie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Diameterwijziging bevestigen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Het nieuwe filament is ingesteld op %1 mm. Dit is niet compatibel met de huidige extruder. Wilt u verder gaan?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Naam" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Type Materiaal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Kleur" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Eigenschappen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Dichtheid" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Diameter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Kostprijs Filament" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Gewicht filament" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Lengte filament" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Kostprijs per meter" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Dit materiaal is gekoppeld aan %1 en deelt hiermee enkele eigenschappen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Materiaal ontkoppelen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Beschrijving" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Gegevens Hechting" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Maken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Dupliceren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Synchroniseren met printers" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Printer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Materiaal Importeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Kon materiaal %1 niet importeren: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Materiaal %1 is geïmporteerd" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Materiaal Exporteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Exporteren van materiaal naar %1 is mislukt: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Materiaal is geëxporteerd naar %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Alle materialen exporteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Zichtbaarheid Instellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Alles aanvinken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Printers" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Berekend" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Instelling" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profiel" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Huidig" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Eenheid" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Niet met een printer verbonden" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Printer accepteert geen opdrachten" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "In onderhoud. Controleer de printer" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Verbinding met de printer is verbroken" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Printen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Gepauzeerd" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Voorbereiden..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Verwijder de print" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Printen Afbreken" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Weet u zeker dat u het printen wilt afbreken?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Geselecteerd model printen met %1" +msgstr[1] "Geselecteerde modellen printen met %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Mijn printers" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Volg uw printers in Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Maak printprojecten aan in Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Printtaken" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Volg printtaken en print opnieuw vanuit uw printgeschiedenis." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Breid Ultimaker Cura uit met plug-ins en materiaalprofielen." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Word een 3D-printexpert met Ultimaker e-learning." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ondersteuning van Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Leer hoe u aan de slag gaat met Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Stel een vraag" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Consulteer de Ultimaker Community." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Een fout melden" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Laat ontwikkelaars weten dat er iets misgaat." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Bezoek de Ultimaker-website." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Printerbediening" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Jog-positie" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Jog-afstand" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "G-code verzenden" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Verzend een aangepaste G-code-opdracht naar de verbonden printer. Druk op Enter om de opdracht te verzenden." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "De doeltemperatuur van de hot-end. De hot-end wordt verwarmd of afgekoeld totdat deze temperatuur bereikt is. Als deze waarde ingesteld is op 0, wordt de verwarming van de hot-end uitgeschakeld." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "De huidige temperatuur van dit hotend." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "De temperatuur waarnaar het hotend moet worden voorverwarmd." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Annuleren" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Voorverwarmen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Verwarm het hotend voordat u gaat printen. U kunt doorgaan met het aanpassen van uw print terwijl het hotend wordt verwarmd. Zo hoeft u niet te wachten totdat het hotend is opgewarmd wanneer u gereed bent om te printen." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "De kleur van het materiaal in deze extruder." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Het materiaal in deze extruder." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "De nozzle die in deze extruder geplaatst is." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Er is geen verbinding met de printer." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Platform" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "De doeltemperatuur van het verwarmde bed. Het bed wordt verwarmd of afgekoeld totdat deze temperatuur bereikt is. Als deze waarde ingesteld is op 0, wordt de verwarming van het bed uitgeschakeld." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "De huidige temperatuur van het verwarmde bed." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "De temperatuur waarnaar het bed moet worden voorverwarmd." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Verwarm het bed voordat u gaat printen. U kunt doorgaan met het aanpassen van uw print terwijl het bed wordt verwarmd. Zo hoeft u niet te wachten totdat het bed opgewarmd is wanneer u gereed bent om te printen." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Aanmelden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Voeg materiaalprofielen en plug-ins toe uit de Marktplaats\n" +"- Maak back-ups van uw materiaalprofielen en plug-ins en synchroniseer deze\n" +"- Deel ideeën met 48.000+ gebruikers in de Ultimaker-community of vraag hen om ondersteuning" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Maak een gratis Ultimaker-account aan" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Laatste update: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker-account" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Afmelden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Aan het controleren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Account gesynchroniseerd" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Er is een fout opgetreden..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Updates in afwachting installeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Controleren op accountupdates" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Zonder titel" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Geen items om uit te kiezen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Online gids voor probleemoplossing weergegeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Volledig Scherm In-/Uitschakelen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Volledig scherm sluiten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "Ongedaan &Maken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Opnieuw" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Afsluiten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D-weergave" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Weergave voorzijde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Weergave bovenzijde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Aanzicht onderzijde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Weergave linkerzijde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Weergave rechterzijde" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Cura Configureren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Printer Toevoegen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Pr&inters Beheren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Materialen Beheren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Meer materialen toevoegen van Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "Profiel bijwerken met h&uidige instellingen/overschrijvingen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "Hui&dige wijzigingen verwijderen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "Profiel maken op basis van huidige instellingen/overs&chrijvingen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profielen Beheren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Online &Documentatie Weergeven" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Een &Bug Rapporteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Nieuwe functies" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Over..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Verwijder geselecteerde items" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centreer geselecteerde items" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Verveelvoudig geselecteerde items" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Model Verwijderen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Model op Platform Ce&ntreren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "Modellen &Groeperen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Groeperen van Modellen Opheffen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Modellen Samen&voegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Model verveelvoudigen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Alle Modellen Selecteren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Platform Leegmaken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Alle Modellen Opnieuw Laden" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Alle modellen schikken op alle platformen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Alle modellen schikken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Selectie schikken" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Alle Modelposities Herstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Alle Modeltransformaties Herstellen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "Bestand(en) &openen..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nieuw project..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Open Configuratiemap" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Zichtbaarheid Instelling Configureren..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marktplaats" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Deze instelling wordt niet gebruikt omdat alle instellingen waarop deze invloed heeft, worden overschreven." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Beïnvloedt" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Beïnvloed door" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Deze instelling wordt altijd door alle extruders gedeeld. Als u hier de instelling wijzigt, wordt de waarde voor alle extruders gewijzigd." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Deze instelling wordt afgeleid van strijdige extruderspecifieke waarden:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5379,7 +5827,7 @@ msgstr "" "\n" "Klik om de waarde van het profiel te herstellen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5390,509 +5838,93 @@ msgstr "" "\n" "Klik om de berekende waarde te herstellen." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Instellingen zoeken" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Waarde naar alle extruders kopiëren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Alle gewijzigde waarden naar alle extruders kopiëren" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Deze instelling verbergen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Deze instelling verbergen" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Deze instelling zichtbaar houden" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3D-weergave" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Weergave voorzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Weergave bovenzijde" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Linkeraanzicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Rechteraanzicht" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Type weergeven" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Een cloudprinter toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Wachten op cloudreactie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Geen printers gevonden in uw account?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "De volgende printers in uw account zijn toegevoegd in Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Printer handmatig toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabrikant" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Profieleigenaar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Printernaam" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Geef uw printer een naam" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Een printer toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Een netwerkprinter toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Een niet-netwerkprinter toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Kan in uw netwerk geen printer vinden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Vernieuwen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Printer toevoegen op IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Een cloudprinter toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Probleemoplossing" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Een printer toevoegen op IP-adres" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Voer het IP-adres van uw printer in." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Toevoegen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Kan geen verbinding maken met het apparaat." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Kunt u geen verbinding maken met uw Ultimaker-printer?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "De printer op dit adres heeft nog niet gereageerd." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Kan de printer niet toevoegen omdat het een onbekende printer is of omdat het niet de host in een groep is." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Terug" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Verbinding maken" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Release notes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Voeg materiaalinstellingen en plugins uit de Marktplaats toe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Maak een back-up van uw materiaalinstellingen en plug-ins en synchroniseer deze" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Deel ideeën met 48,000+ gebruikers in de Ultimaker Community of vraag hen om ondersteuning" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Overslaan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Maak een gratis Ultimaker-account aan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Help ons Ultimaker Cura te verbeteren" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura verzamelt anonieme gegevens om de printkwaliteit en gebruikerservaring te verbeteren, waaronder:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Machinetypen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Materiaalgebruik" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Aantal slices" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Instellingen voor printen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "De gegevens die Ultimaker Cura verzamelt, bevatten geen persoonlijke informatie." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Meer informatie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Leeg" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Gebruikersovereenkomst" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Afwijzen en sluiten" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Welkom bij Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"Volg deze stappen voor het instellen van\n" -"Ultimaker Cura. Dit duurt slechts even." +"Een aantal verborgen instellingen gebruiken andere waarden dan hun normale berekende waarde.\n" +"\n" +"Klik om deze instellingen zichtbaar te maken." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Aan de slag" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Dit package wordt na opnieuw starten geïnstalleerd." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Instellingen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 wordt gesloten" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Weet u zeker dat u %1 wilt afsluiten?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Package installeren" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Bestand(en) openen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Binnen de door u geselecteerde bestanden zijn een of meer G-code-bestanden aangetroffen. U kunt maximaal één G-code-bestand tegelijk openen. Selecteer maximaal één bestand als u dit wilt openen als G-code-bestand." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Printer Toevoegen" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Nieuwe functies" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Geen items om uit te kiezen" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Via deze optie controleert u de modellen en de printconfiguratie op mogelijke printproblemen en ontvangt u suggesties." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Modelcontrole" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Biedt ondersteuning voor het lezen van 3MF-bestanden." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF-lezer" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Biedt ondersteuning voor het schrijven van 3MF-bestanden." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF-schrijver" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Biedt ondersteuning voor het lezen van AMF-bestanden." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF-lezer" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Een back-up maken van uw configuratie en deze herstellen." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura-back-ups" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Voorziet in de koppeling naar het slicing-back-end van de CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine-back-end" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Biedt ondersteuning bij het importeren van Cura-profielen." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura-profiellezer" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Biedt ondersteuning voor het exporteren van Cura-profielen." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura-profielschrijver" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Maakt verbinding met de digitale bibliotheek, zodat Cura bestanden kan openen vanuit, en bestanden kan opslaan in, de digitale bibliotheek." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Controleert op firmware-updates." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Firmware-updatecontrole" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Biedt machineacties voor het bijwerken van de firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Firmware-updater" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Hiermee leest u G-code uit een gecomprimeerd archief." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Lezer voor gecomprimeerde G-code" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Met deze optie schrijft u G-code naar een gecomprimeerd archief." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Schrijver voor gecomprimeerde G-code" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Biedt ondersteuning voor het importeren van profielen uit G-code-bestanden." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-code-profiellezer" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Hiermee kunt u G-code-bestanden laden en weergeven." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-code-lezer" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Met deze optie schrijft u G-code naar een bestand." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-code-schrijver" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Hiermee wordt het genereren van printbare geometrie van 2D-afbeeldingsbestanden mogelijk." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Afbeeldinglezer" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Biedt ondersteuning voor het importeren van profielen uit oudere Cura-versies." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Lezer voor Profielen van oudere Cura-versies" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Biedt een manier om de machine-instellingen (zoals bouwvolume, maat nozzle, enz.) te wijzigen." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Actie machine-instellingen" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Deze optie biedt een controlestadium in Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Controlestadium" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5903,85 +5935,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Gereedschap voor Instellingen per Model" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Uitbreiding waarmee door de gebruiker gemaakte scripts voor nabewerking kunnen worden gebruikt" +msgid "Provides support for importing Cura profiles." +msgstr "Biedt ondersteuning bij het importeren van Cura-profielen." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Nabewerking" +msgid "Cura Profile Reader" +msgstr "Cura-profiellezer" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Deze optie biedt een voorbereidingsstadium in Cura." +msgid "Provides support for reading X3D files." +msgstr "Deze optie biedt ondersteuning voor het lezen van X3D-bestanden." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Stadium voorbereiden" +msgid "X3D Reader" +msgstr "X3D-lezer" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Deze optie biedt een voorbeeldstadium in Cura." +msgid "Backup and restore your configuration." +msgstr "Een back-up maken van uw configuratie en deze herstellen." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Voorbeeldstadium" +msgid "Cura Backups" +msgstr "Cura-back-ups" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Biedt hotplug- en schrijfondersteuning voor verwisselbare stations." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Biedt een manier om de machine-instellingen (zoals bouwvolume, maat nozzle, enz.) te wijzigen." -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plug-in voor Verwijderbaar Uitvoerapparaat" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Hiermee worden bepaalde gebeurtenissen geregistreerd, zodat deze door de crashrapportage kunnen worden gebruikt" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Sentrylogger" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Hiermee geeft u de simulatieweergave weer." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Simulatieweergave" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Verzendt anonieme slice-informatie. Dit kan bij de voorkeuren worden uitgeschakeld." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Slice-informatie" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Biedt een normale, solide rasterweergave." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Solide weergave" +msgid "Machine Settings Action" +msgstr "Actie machine-instellingen" #: SupportEraser/plugin.json msgctxt "description" @@ -5993,35 +5985,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Supportwisser" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Nieuwe Cura-packages zoeken, beheren en installeren." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Biedt hotplug- en schrijfondersteuning voor verwisselbare stations." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Werkset" +msgid "Removable Drive Output Device Plugin" +msgstr "Plug-in voor Verwijderbaar Uitvoerapparaat" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Biedt ondersteuning voor het lezen van modelbestanden." +msgid "Provides a machine actions for updating firmware." +msgstr "Biedt machineacties voor het bijwerken van de firmware." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh-lezer" +msgid "Firmware Updater" +msgstr "Firmware-updater" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Deze optie biedt ondersteuning voor het lezen van Ultimaker Format Packages." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Biedt ondersteuning voor het importeren van profielen uit oudere Cura-versies." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP-lezer" +msgid "Legacy Cura Profile Reader" +msgstr "Lezer voor Profielen van oudere Cura-versies" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Biedt ondersteuning voor het lezen van 3MF-bestanden." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF-lezer" #: UFPWriter/plugin.json msgctxt "description" @@ -6033,25 +6035,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFP-schrijver" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Biedt machineacties voor Ultimaker-machines (zoals wizard voor bedkalibratie, selecteren van upgrades, enz.)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Hiermee worden bepaalde gebeurtenissen geregistreerd, zodat deze door de crashrapportage kunnen worden gebruikt" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Acties Ultimaker-machines" +msgid "Sentry Logger" +msgstr "Sentrylogger" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Hiermee beheert u netwerkverbindingen naar Ultimaker-netwerkprinters." +msgid "Provides support for importing profiles from g-code files." +msgstr "Biedt ondersteuning voor het importeren van profielen uit G-code-bestanden." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker-netwerkverbinding" +msgid "G-code Profile Reader" +msgstr "G-code-profiellezer" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Deze optie biedt een voorbeeldstadium in Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Voorbeeldstadium" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Biedt de röntgenweergave." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Röntgenweergave" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Voorziet in de koppeling naar het slicing-back-end van de CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine-back-end" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Biedt ondersteuning voor het lezen van AMF-bestanden." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF-lezer" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Hiermee leest u G-code uit een gecomprimeerd archief." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Lezer voor gecomprimeerde G-code" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Uitbreiding waarmee door de gebruiker gemaakte scripts voor nabewerking kunnen worden gebruikt" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Nabewerking" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Biedt ondersteuning voor het exporteren van Cura-profielen." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura-profielschrijver" #: USBPrinting/plugin.json msgctxt "description" @@ -6063,25 +6135,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB-printen" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.1 naar Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Deze optie biedt een voorbereidingsstadium in Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Versie-upgrade van 2.1 naar 2.2" +msgid "Prepare Stage" +msgstr "Stadium voorbereiden" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.2 naar Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Hiermee kunt u G-code-bestanden laden en weergeven." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Versie-upgrade van 2.2 naar 2.4" +msgid "G-code Reader" +msgstr "G-code-lezer" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Hiermee wordt het genereren van printbare geometrie van 2D-afbeeldingsbestanden mogelijk." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Afbeeldinglezer" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Biedt machineacties voor Ultimaker-machines (zoals wizard voor bedkalibratie, selecteren van upgrades, enz.)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Acties Ultimaker-machines" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Met deze optie schrijft u G-code naar een gecomprimeerd archief." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Schrijver voor gecomprimeerde G-code" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Controleert op firmware-updates." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Firmware-updatecontrole" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Verzendt anonieme slice-informatie. Dit kan bij de voorkeuren worden uitgeschakeld." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Slice-informatie" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Biedt mogelijkheden om materiaalprofielen op XML-basis te lezen en te schrijven." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Materiaalprofielen" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Maakt verbinding met de digitale bibliotheek, zodat Cura bestanden kan openen vanuit, en bestanden kan opslaan in, de digitale bibliotheek." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Nieuwe Cura-packages zoeken, beheren en installeren." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Werkset" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Met deze optie schrijft u G-code naar een bestand." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-code-schrijver" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Hiermee geeft u de simulatieweergave weer." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Simulatieweergave" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.5 naar Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Versie-upgrade van 4.5 naar 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6093,55 +6275,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Versie-upgrade van 2.5 naar 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.6 naar Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.6.0 naar Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Versie-upgrade van 2.6 naar 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Versie-upgrade van 4.6.0 naar 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.7 naar Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.7 naar Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Versie-upgrade van 2.7 naar 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.0 naar Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Versie-upgrade van 3.0 naar 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.2 naar Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Versie-upgrade van 3.2 naar 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.3 naar Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Versie-upgrade van 3.3 naar 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Versie-upgrade van 4.7 naar 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6153,45 +6305,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Versie-upgrade van 3.4 naar 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.5 naar Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.1 naar Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Versie-upgrade van 3.5 naar 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Versie-upgrade van 2.1 naar 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.0 naar Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.2 naar Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Versie-upgrade van 4.0 naar 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Versie-upgrade van 3.2 naar 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.11 naar Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.7 naar Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Versie-upgrade van 4.11 naar 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Versie-upgrade van 4.8 naar 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.1 naar Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.6.2 naar Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Versie-upgrade van 4.1 naar 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Versie-upgrade van 4.6.2 naar 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6213,66 +6365,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Versie-upgrade van 4.3 naar 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.4 naar Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Versie-upgrade van 4.4 naar 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.5 naar Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Versie-upgrade van 4.5 naar 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.6.0 naar Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Versie-upgrade van 4.6.0 naar 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.6.2 naar Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Versie-upgrade van 4.6.2 naar 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.7 naar Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Versie-upgrade van 4.7 naar 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.7 naar Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Versie-upgrade van 4.8 naar 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6283,35 +6375,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Versie-upgrade 4.9 naar 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Deze optie biedt ondersteuning voor het lezen van X3D-bestanden." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.7 naar Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D-lezer" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Versie-upgrade van 2.7 naar 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Biedt mogelijkheden om materiaalprofielen op XML-basis te lezen en te schrijven." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.6 naar Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Materiaalprofielen" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Versie-upgrade van 2.6 naar 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Biedt de röntgenweergave." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.11 naar Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Röntgenweergave" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Versie-upgrade van 4.11 naar 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.3 naar Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Versie-upgrade van 3.3 naar 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.0 naar Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Versie-upgrade van 3.0 naar 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.0 naar Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Versie-upgrade van 4.0 naar 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.4 naar Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Versie-upgrade van 4.4 naar 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.2 naar Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Versie-upgrade van 2.2 naar 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 4.1 naar Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Versie-upgrade van 4.1 naar 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Hiermee worden configuraties bijgewerkt van Cura 3.5 naar Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Versie-upgrade van 3.5 naar 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Hiermee beheert u netwerkverbindingen naar Ultimaker-netwerkprinters." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker-netwerkverbinding" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Biedt ondersteuning voor het lezen van modelbestanden." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh-lezer" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Deze optie biedt ondersteuning voor het lezen van Ultimaker Format Packages." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP-lezer" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Biedt een normale, solide rasterweergave." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Solide weergave" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Biedt ondersteuning voor het schrijven van 3MF-bestanden." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF-schrijver" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Deze optie biedt een controlestadium in Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Controlestadium" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Via deze optie controleert u de modellen en de printconfiguratie op mogelijke printproblemen en ontvangt u suggesties." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Modelcontrole" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/nl_NL/fdmextruder.def.json.po b/resources/i18n/nl_NL/fdmextruder.def.json.po index 3b69d7e262..bc037bede2 100644 --- a/resources/i18n/nl_NL/fdmextruder.def.json.po +++ b/resources/i18n/nl_NL/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 15:03+0200\n" "Last-Translator: Bothof \n" "Language-Team: Dutch\n" diff --git a/resources/i18n/nl_NL/fdmprinter.def.json.po b/resources/i18n/nl_NL/fdmprinter.def.json.po index b35926b02c..03095e9596 100644 --- a/resources/i18n/nl_NL/fdmprinter.def.json.po +++ b/resources/i18n/nl_NL/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:03+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Dutch , Dutch \n" @@ -53,8 +53,10 @@ msgstr "Start G-code" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "G-code-opdrachten die aan het begin worden uitgevoerd, gescheiden door \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -63,8 +65,10 @@ msgstr "Eind G-code" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "G-code-opdrachten die aan het eind worden uitgevoerd, gescheiden door \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -146,6 +150,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "De diepte (Y-richting) van het printbare gebied." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Machinehoogte" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "De hoogte (Z-richting) van het printbare gebied." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -186,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Aluminium" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Machinehoogte" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "De hoogte (Z-richting) van het printbare gebied." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -553,8 +557,8 @@ msgstr "De maximale snelheid van de motor in de Z-richting." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Maximale Doorvoersnelheid" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1723,12 +1727,8 @@ msgstr "Vulpatroon" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Het patroon van het vulmateriaal van de print. De lijn- en zigzagvulling veranderen per vullaag van richting, waardoor u bespaart op materiaalkosten. De" -" raster-, driehoeks-, tri-hexagonale, kubische, achtvlaks-, afgeknotte kubus-, kruis- en concentrische patronen worden per laag volledig geprint. Gyroïde," -" kubische, afgeknotte kubus- en achtvlaksvullingen veranderen per laag voor een meer gelijke krachtverdeling in elke richting. Bliksemvulling minimaliseert" -" de vulling, doordat deze alleen de (interne) supportdaken ondersteunt. Daarom geldt het invulpercentage slechts voor één laag onder wat er nodig is om" -" het model te ondersteunen." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2041,9 +2041,8 @@ msgstr "Snoeihoek bliksemvulling" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "Het mogelijke verschil van een bliksemvullaag met de laag onmiddellijk daarboven m.b.t. het snoeien van de buitenste uiteinden van bomen. Gemeten in de" -" hoek bepaald door de laagdikte." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2052,8 +2051,8 @@ msgstr "Rechtbuighoek bliksemvulling" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "Het mogelijke verschil van een bliksemvullaag met de laag onmiddellijk daarboven m.b.t. het effenen van bomen. Gemeten in de hoek bepaald door de laagdikte." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6478,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Omzettingsmatrix die moet worden toegepast op het model wanneer dit wordt geladen vanuit een bestand." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "G-code-opdrachten die aan het begin worden uitgevoerd, gescheiden door \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "G-code-opdrachten die aan het eind worden uitgevoerd, gescheiden door \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Maximale Doorvoersnelheid" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Het patroon van het vulmateriaal van de print. De lijn- en zigzagvulling veranderen per vullaag van richting, waardoor u bespaart op materiaalkosten. De raster-, driehoeks-, tri-hexagonale, kubische, achtvlaks-, afgeknotte kubus-, kruis- en concentrische patronen worden per laag volledig geprint. Gyroïde, kubische, afgeknotte kubus- en achtvlaksvullingen veranderen per laag voor een meer gelijke krachtverdeling in elke richting. Bliksemvulling minimaliseert de vulling, doordat deze alleen de (interne) supportdaken ondersteunt. Daarom geldt het invulpercentage slechts voor één laag onder wat er nodig is om het model te ondersteunen." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "Het mogelijke verschil van een bliksemvullaag met de laag onmiddellijk daarboven m.b.t. het snoeien van de buitenste uiteinden van bomen. Gemeten in de hoek bepaald door de laagdikte." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "Het mogelijke verschil van een bliksemvullaag met de laag onmiddellijk daarboven m.b.t. het effenen van bomen. Gemeten in de hoek bepaald door de laagdikte." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Het patroon van het vulmateriaal van de print. De lijn- en zigzagvulling veranderen per vullaag van richting, waardoor wordt bespaard op materiaalkosten. De raster-, driehoeks-, tri-hexagonale, kubische, achtvlaks-, afgeknotte kubus-, kruis- en concentrische patronen worden elke laag volledig geprint. Gyroïde, kubische, afgeknotte kubus- en achtvlaksvullingen veranderen elke laag voor een meer gelijke krachtverdeling in elke richting." diff --git a/resources/i18n/pl_PL/cura.po b/resources/i18n/pl_PL/cura.po index f144e67cc6..d18671c271 100644 --- a/resources/i18n/pl_PL/cura.po +++ b/resources/i18n/pl_PL/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-09-07 08:02+0200\n" "Last-Translator: Mariusz Matłosz \n" "Language-Team: Mariusz Matłosz , reprapy.pl\n" @@ -18,212 +18,449 @@ msgstr "" "X-Generator: Poedit 3.0\n" "X-Poedit-SourceCharset: UTF-8\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Nieznany" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Nie można utworzyć archiwum z folderu danych użytkownika: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Poniższa drukarka nie może być podłączona, ponieważ jest częścią grupy" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Kopia zapasowa" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Dostępne drukarki sieciowe" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Podjęto próbę przywrócenia kopii zapasowej Cura na podstawie niepoprawnych danych lub metadanych." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Nie zastąpione" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Próbowano przywrócić kopię zapasową Cura, nowszą od aktualnej wersji." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Wysokość obszaru roboczego została zmniejszona ze względu na wartość ustawienia Print Sequence (Sekwencja wydruku), aby zapobiec kolizji z wydrukowanymi modelami." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Obszar Roboczy" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Nie zastąpione" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Nieznany" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Poniższa drukarka nie może być podłączona, ponieważ jest częścią grupy" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Dostępne drukarki sieciowe" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Domyślne" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Wizualny" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Profil wizualny jest przeznaczony do drukowania prototypów i modeli z zamiarem podkreślenia wysokiej jakości wizualnej i powierzchni." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Inżynieria" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Profil inżynieryjny jest przeznaczony do drukowania prototypów funkcjonalnych i części końcowych z naciskiem na lepszą dokładność i lepszą tolerancję." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Szkic" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Profil szkicu służy do drukowania początkowych prototypów i weryfikacji koncepcji z naciskiem na krótki czasu drukowania." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Niestandardowy materiał" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Niestandardowy" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Profile niestandardowe" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Wszystkie Wspierane Typy ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Wszystkie Pliki (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Wizualny" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Profil wizualny jest przeznaczony do drukowania prototypów i modeli z zamiarem podkreślenia wysokiej jakości wizualnej i powierzchni." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Inżynieria" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Profil inżynieryjny jest przeznaczony do drukowania prototypów funkcjonalnych i części końcowych z naciskiem na lepszą dokładność i lepszą tolerancję." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Szkic" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Profil szkicu służy do drukowania początkowych prototypów i weryfikacji koncepcji z naciskiem na krótki czasu drukowania." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Niestandardowy materiał" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Niestandardowy" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Logowanie nie powiodło się" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Znajdowanie nowej lokalizacji obiektów" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Szukanie Lokalizacji" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Nie można znaleźć lokalizacji w obrębie obszaru roboczego dla wszystkich obiektów" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Nie można Znaleźć Lokalizacji" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Nie można utworzyć archiwum z folderu danych użytkownika: {}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Kopia zapasowa" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Podjęto próbę przywrócenia kopii zapasowej Cura na podstawie niepoprawnych danych lub metadanych." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Próbowano przywrócić kopię zapasową Cura, nowszą od aktualnej wersji." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Ładowanie drukarek..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Ustawianie preferencji..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Ustawianie sceny ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Ładowanie interfejsu ..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Wysokość obszaru roboczego została zmniejszona ze względu na wartość ustawienia Print Sequence (Sekwencja wydruku), aby zapobiec kolizji z wydrukowanymi modelami." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Jednocześnie można załadować tylko jeden plik G-code. Pominięto importowanie {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Obszar Roboczy" +msgid "Warning" +msgstr "Ostrzeżenie" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Nie można otworzyć żadnego innego pliku, jeśli ładuje się G-code. Pominięto importowanie {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Błąd" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Zamknij" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Następny" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Dodaj" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Anuluj" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Grupa #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Zewnętrzna ściana" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Ściany wewnętrzne" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Skin" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Wypełnienie" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Wypełnienie podpór" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Łączenie podpory" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Podpory" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Obwódka" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Wieża czyszcząca" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Ruch jałowy" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Retrakcja" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Inny" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura nie może się uruchomić" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -238,32 +475,32 @@ msgstr "" "

    Proszę wyślij do nas ten Raport Błędu, aby rozwiązać problem.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Wyślij raport błędu do Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Pokaż szczegółowy raport błędu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Pokaż folder konfiguracyjny" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Zrób Backup i Zresetuj Konfigurację" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Raport Błędu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -274,497 +511,1259 @@ msgstr "" "

    Proszę użyj przycisku \"Wyślij raport\", aby wysłać raport błędu automatycznie na nasze serwery

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informacje o systemie" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Nieznany" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Wersja Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platforma" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Wersja Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Wersja PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Jeszcze nie uruchomiono
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Wersja OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Wydawca OpenGL: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Renderer: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Śledzenie błedu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Logi" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Wyślij raport" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Ładowanie drukarek..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Ustawianie preferencji..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Ustawianie sceny ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Ładowanie interfejsu ..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Jednocześnie można załadować tylko jeden plik G-code. Pominięto importowanie {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Ostrzeżenie" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Nie można otworzyć żadnego innego pliku, jeśli ładuje się G-code. Pominięto importowanie {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Błąd" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Zwielokrotnienie i umieszczanie przedmiotów" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Umieść Obiekty" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Rozmieszczenie Obiektów" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Nie można odczytać odpowiedzi." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Proszę nadać wymagane uprawnienia podczas autoryzacji tej aplikacji." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Coś nieoczekiwanego się stało, podczas próby logowania, spróbuj ponownie." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Nie można uzyskać dostępu do serwera kont Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Proszę nadać wymagane uprawnienia podczas autoryzacji tej aplikacji." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Coś nieoczekiwanego się stało, podczas próby logowania, spróbuj ponownie." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Nie można odczytać odpowiedzi." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Zwielokrotnienie i umieszczanie przedmiotów" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Umieść Obiekty" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Rozmieszczenie Obiektów" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Niewspierany" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Domyślne" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Dysza" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Ustawienia zostały zmienione w celu dopasowania do bieżącej dostępności ekstruderów:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Ustawienia zostały zaaktualizowane" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Ekstruder(y) wyłączony(/e)" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Plik już istnieje" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Plik {0} już istnieje. Czy na pewno chcesz go nadpisać?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Nieprawidłowy adres URL pliku:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Nie udało się wyeksportować profilu do {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Nie można eksportować profilu do {0}: Wtyczka pisarza zgłosiła błąd." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Wyeksportowano profil do {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Eksport udany" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Nie powiódł się import profilu z {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Nie można importować profilu z {0} przed dodaniem drukarki." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Brak niestandardowego profilu do importu w pliku {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Nie powiódł się import profilu z {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Profil {0} zawiera błędne dane, nie można go importować." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Błąd importu profilu z {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Plik {0} nie zawiera żadnego poprawnego profilu." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Profil {0} ma nieznany typ pliku lub jest uszkodzony." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Niestandardowy profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Profilowi brakuje typu jakości." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Niewspierany" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Domyślne" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Dysza" +msgid "Per Model Settings" +msgstr "Ustawienia każdego modelu osobno" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Ustawienia zostały zmienione w celu dopasowania do bieżącej dostępności ekstruderów:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Konfiguruj ustawienia każdego modelu z osobna" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Profile Cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D Plik" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Wystąpił błąd podczas próby przywrócenia kopii zapasowej." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ustawienia zostały zaaktualizowane" +msgid "Backups" +msgstr "Kopie zapasowe" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Ekstruder(y) wyłączony(/e)" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Wystąpił błąd podczas wgrywania kopii zapasowej." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Dodaj" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Anuluj" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Wgrywanie kopii zapasowej..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Wgrywanie kopii zapasowej zakończone." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Zarządzaj kopiami zapasowymi" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Ustawienia drukarki" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Blokada Podpory" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Stwórz obszar, w którym podpory nie będą drukowane." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Dysk wymienny" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Zapisz na dysk wymienny" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Zapisz na dysk wymienny {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Nie ma żadnych formatów plików do zapisania!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Zapisywanie na Dysk Wymienny {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 +msgctxt "@info:title" +msgid "Saving" +msgstr "Zapisywanie" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Nie mogę zapisać do {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Nie mogę znaleźć nazwy pliku podczas próby zapisu do {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 +#, python-brace-format +msgctxt "@info:status" +msgid "Could not save to removable drive {0}: {1}" +msgstr "Nie można zapisać na wymiennym dysku {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Zapisano na dysk wymienny {0} jako {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Plik Zapisany" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Wyjmij" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Wyjmij urządzenie wymienne {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Wyjęto {0}. Możesz teraz bezpiecznie wyjąć dysk." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Bezpiecznie Odłącz Urządzenie" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Nie można wysunąć {0}. Inny program może używać dysku." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Aktualizacja Oprogramowania Sprzętowego" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Profile Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Zalecane" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Niestandardowe" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "Plik projektu {0} zawiera nieznany typ maszyny {1}. Nie można zaimportować maszyny. Zostaną zaimportowane modele." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "Otwórz Plik Projektu" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tag !" +msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 +msgctxt "@item:inlistbox" +msgid "3MF File" +msgstr "Plik 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "Ultimaker Format Package" +msgstr "Pakiet Formatu Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 +msgctxt "@item:inlistbox" +msgid "G-code File" +msgstr "Pliki G-code" + +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 +msgctxt "@item:inmenu" +msgid "Preview" +msgstr "Podgląd" + +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Widok X-Ray" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Przetwarzanie warstw" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informacja" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +msgctxt "@message" +msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +msgctxt "@message:title" +msgid "Slicing failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +msgctxt "@message:button" +msgid "Report a bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +msgctxt "@message:description" +msgid "Report a bug on Ultimaker Cura's issue tracker." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +msgctxt "@info:status" +msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." +msgstr "Nie można pociąć z obecnym materiałem, ponieważ nie jest on kompatybilny z wybraną maszyną lub konfiguracją." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "Nie można pociąć" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice with the current settings. The following settings have errors: {0}" +msgstr "Nie można pociąć z bieżącymi ustawieniami. Następujące ustawienia mają błędy: {0}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" +msgstr "Nie można pokroić przez ustawienia osobne dla modelu. Następujące ustawienia mają błędy w jednym lub więcej modeli: {error_labels}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:status" +msgid "Unable to slice because the prime tower or prime position(s) are invalid." +msgstr "Nie można pociąć, ponieważ wieża czyszcząca lub jej pozycja(e) są niewłaściwe." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#, python-format +msgctxt "@info:status" +msgid "Unable to slice because there are objects associated with disabled Extruder %s." +msgstr "Nie można pociąć, ponieważ obecne są obiekty powiązane z wyłączonym ekstruderem %s." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +msgctxt "@info:status" +msgid "" +"Please review settings and check if your models:\n" +"- Fit within the build volume\n" +"- Are assigned to an enabled extruder\n" +"- Are not all set as modifier meshes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "AMF File" +msgstr "Plik AMF" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Skompresowany Plik G-code" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Przetwarzanie końcowe" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modyfikuj G-code" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Drukowanie USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Drukuj przez USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Drukuj przez USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Połączono przez USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Trwa drukowanie przez USB, zamknięcie Cura spowoduje jego zatrzymanie. Jesteś pewien?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Nadal trwa drukowanie. Cura nie może rozpocząć kolejnego wydruku przez USB, dopóki poprzedni wydruk nie zostanie zakończony." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Drukowanie w toku" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Przygotuj" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Analizowanie G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Szczegóły G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Przed wysłaniem pliku upewnij się, że G-code jest odpowiedni do konfiguracji drukarki. Przedstawienie G-kodu może nie być dokładne." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Plik G-code" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Obraz JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Obraz JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Obraz PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Obraz BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Obraz GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Wypoziomuj stół" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Wybierz aktualizacje" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "Zapisywacz skompresowanego G-code nie obsługuje trybu tekstowego." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "Nie można uzyskać dostępu do informacji o aktualizacji." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#, python-brace-format +msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" +msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s stable firmware available" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +msgctxt "@action:button" +msgid "How to update" +msgstr "Jak zaktualizować" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +msgctxt "@text" +msgid "Unable to read example data file." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +msgctxt "@info:generic" +msgid "You need to quit and restart {} before changes have effect." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +msgctxt "@info:generic" +msgid "{} plugins failed to download" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Zgadzam się" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Akceptowanie Licencji Wtyczki" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "Zapisywacz G-code nie obsługuje trybu nietekstowego." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Przygotuj G-code przed eksportem." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Widok symulacji" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Nie pokazuj tego komunikatu ponownie" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "Layer view" +msgstr "Widok warstwy" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Drukuj przez sieć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Drukuj przez sieć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Połączone przez sieć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "jutro" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "dziś" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 +msgctxt "@action" +msgid "Connect via Network" +msgstr "Połącz przez sieć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Poczekaj, aż bieżące zadanie zostanie wysłane." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Błąd druku" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Zadanie drukowania zostało pomyślnie wysłane do drukarki." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Dane Wysłane" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Próbujesz połączyć się z drukarką, na której nie działa Ultimaker Connect. Zaktualizuj drukarkę do najnowszej wersji firmware." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Zaktualizuj swoją drukarkę" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Wysyłanie zadania druku" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Przesyłanie zadania do drukarki." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura wykryła profile materiałów, które nie zostały jeszcze zainstalowane na gospodarzu grupy {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Wysyłanie materiałów do drukarki" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Nie można wgrać danych do drukarki." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Błąd sieci" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Próbujesz połączyć się z {0}, ale nie jest to gospodarz grupy. Możesz odwiedzić stronę internetową, aby skonfigurować jako gospodarza." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Nie jest gospodarzem grupy" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 +msgctxt "@action" +msgid "Configure group" +msgstr "Konfiguruj grupę" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Rozpocznij" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +msgctxt "@action:button" +msgid "Print via cloud" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +msgctxt "@action:button" +msgid "Monitor print" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +msgctxt "@action:tooltip" +msgid "Track the print in Ultimaker Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 +#, python-brace-format +msgctxt "info:{0} gets replaced by a number of printers" +msgid "... and {0} other" +msgid_plural "... and {0} others" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 +msgctxt "info:status" +msgid "A cloud connection is not available for a printer" +msgid_plural "A cloud connection is not available for some printers" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "info:status" +msgid "This printer is not linked to the Digital Factory:" +msgid_plural "These printers are not linked to the Digital Factory:" +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "{printer_name} will be removed until the next account sync." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "To remove {printer_name} permanently, visit {digital_factory_link}" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "Are you sure you want to remove {printer_name} temporarily?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Grupa #{group_nr}" +msgid "" +"You are about to remove {0} printer from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgid_plural "" +"You are about to remove {0} printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr[0] "" +msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Zewnętrzna ściana" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Ściany wewnętrzne" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Skin" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Wypełnienie" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Wypełnienie podpór" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Łączenie podpory" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Podpory" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Obwódka" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Wieża czyszcząca" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Ruch jałowy" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Retrakcja" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Inny" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 +msgctxt "@label" +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Następny" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Otwórz skompresowaną siatkę trójkątów" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "Cyfrowa wymiana zasobów COLLADA" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "Biblioteka glTF" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "Załączony JSON glTF" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Format trójkątów Stanforda" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Skompresowana cyfrowa wymiana zasobów COLLADA" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Zamknij" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Widok modelu" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Błąd zapisu pliku 3mf." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Plik 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Plik Cura Project 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Monitor" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "Asystent Modelu 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" @@ -778,1528 +1777,1533 @@ msgstr "" "

    Dowiedz się, jak zapewnić najlepszą możliwą jakość oraz niezawodnośc wydruku.

    \n" "

    Zobacz przewodnik po jakości wydruku (strona w języku angielskim)

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." -msgstr "Plik projektu {0} zawiera nieznany typ maszyny {1}. Nie można zaimportować maszyny. Zostaną zaimportowane modele." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +msgctxt "@label" +msgid "Mesh Type" +msgstr "Typ siatki" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "Otwórz Plik Projektu" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Normalny model" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Drukuj jako podpora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Modyfikuj ustawienia nakładania" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Nie wspieraj nałożenia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tag !" -msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Zalecane" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Niestandardowe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "Plik 3MF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." +msgid "Infill mesh only" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Błąd zapisu pliku 3mf." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Plik 3MF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Plik Cura Project 3MF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Plik AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Kopie zapasowe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Wystąpił błąd podczas wgrywania kopii zapasowej." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." +msgid "Cutting mesh" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Wgrywanie kopii zapasowej..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Wgrywanie kopii zapasowej zakończone." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Wystąpił błąd podczas próby przywrócenia kopii zapasowej." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Zarządzaj kopiami zapasowymi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 -msgctxt "@message" -msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 -msgctxt "@message:title" -msgid "Slicing failed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 -msgctxt "@message:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 -msgctxt "@message:description" -msgid "Report a bug on Ultimaker Cura's issue tracker." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "Nie można pociąć z obecnym materiałem, ponieważ nie jest on kompatybilny z wybraną maszyną lub konfiguracją." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "Nie można pociąć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "Nie można pociąć z bieżącymi ustawieniami. Następujące ustawienia mają błędy: {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" -msgstr "Nie można pokroić przez ustawienia osobne dla modelu. Następujące ustawienia mają błędy w jednym lub więcej modeli: {error_labels}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "Nie można pociąć, ponieważ wieża czyszcząca lub jej pozycja(e) są niewłaściwe." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "Nie można pociąć, ponieważ obecne są obiekty powiązane z wyłączonym ekstruderem %s." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 -msgctxt "@info:status" -msgid "" -"Please review settings and check if your models:\n" -"- Fit within the build volume\n" -"- Are assigned to an enabled extruder\n" -"- Are not all set as modifier meshes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Przetwarzanie warstw" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informacja" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Profile Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "Nie można uzyskać dostępu do informacji o aktualizacji." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 -#, python-brace-format -msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" -msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s stable firmware available" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "How to update" -msgstr "Jak zaktualizować" +msgid "Select settings" +msgstr "Wybierz ustawienia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Wybierz Ustawienia, aby dostosować ten model" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtr..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Pokaż wszystko" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Kopie zapasowe cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Wersja Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Drukarki" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materiały" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profile" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Pluginy" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Chcesz więcej?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Utwórz kopię zapasową" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Automatyczne tworzenie kopii zapasowej" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Automatycznie twórz kopie zapasowe każdego dnia, w którym uruchomiono Curę." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Przywróć" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Usuń kopię zapasową" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Czy na pewno chcesz usunąć tę kopię zapasową? Tej czynności nie można cofnąć." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Przywróć kopię zapasową" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Musisz zrestartować Curę przed przywróceniem kopii zapasowej. Czy chcesz teraz zamknąć Curę?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Wykonaj kopię zapasową i zsynchronizuj ustawienia Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Zaloguj" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Moje Kopie Zapasowe" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Nie masz żadnych kopii zapasowych. Użyj przycisku „Utwórz kopię zapasową”, aby go utworzyć." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Podczas fazy podglądu będziesz ograniczony do 5 widocznych kopii zapasowych. Usuń kopię zapasową, aby zobaczyć starsze." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Ustawienia drukarki" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Szerokość)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Głębokość)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Wysokość)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Kształt stołu roboczego" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Początek na środku" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Podgrzewany stół" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Grzany obszar roboczy" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Wersja G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Ustawienia głowicy" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y max" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Wysokość wózka" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Liczba ekstruderów" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Początkowy G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Końcowy G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Ustawienia dyszy" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Rozmiar dyszy" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Kompatybilna średnica materiału" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Korekcja dyszy X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Korekcja dyszy Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Numer Wentylatora" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Początkowy G-code ekstrudera" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Końcowy G-code ekstrudera" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Drukarka" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" msgid "Update Firmware" msgstr "Aktualizacja Oprogramowania Sprzętowego" -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Skompresowany Plik G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "Zapisywacz skompresowanego G-code nie obsługuje trybu tekstowego." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Pliki G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Analizowanie G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Szczegóły G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Przed wysłaniem pliku upewnij się, że G-code jest odpowiedni do konfiguracji drukarki. Przedstawienie G-kodu może nie być dokładne." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Plik G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "Zapisywacz G-code nie obsługuje trybu nietekstowego." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Przygotuj G-code przed eksportem." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Obraz JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Obraz JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Obraz PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Obraz BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Obraz GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Profile Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Ustawienia drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" -msgid "Per Model Settings" -msgstr "Ustawienia każdego modelu osobno" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Oprogramowanie ukłądowe jest częścią oprogramowania działającego bezpośrednio na drukarce 3D. Oprogramowanie to steruje silnikami krokowymi, reguluje temperaturę i ostatecznie sprawia, że drukarka działa." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Konfiguruj ustawienia każdego modelu z osobna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Przetwarzanie końcowe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modyfikuj G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Przygotuj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Podgląd" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Zapisz na dysk wymienny" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Zapisz na dysk wymienny {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Nie ma żadnych formatów plików do zapisania!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Zapisywanie na Dysk Wymienny {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Zapisywanie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Nie mogę zapisać do {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Nie mogę znaleźć nazwy pliku podczas próby zapisu do {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Nie można zapisać na wymiennym dysku {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Zapisano na dysk wymienny {0} jako {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Plik Zapisany" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Wyjmij" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Wyjmij urządzenie wymienne {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Wyjęto {0}. Możesz teraz bezpiecznie wyjąć dysk." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Bezpiecznie Odłącz Urządzenie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Nie można wysunąć {0}. Inny program może używać dysku." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Dysk wymienny" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Widok symulacji" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Nie pokazuj tego komunikatu ponownie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Widok warstwy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 -msgctxt "@text" -msgid "Unable to read example data file." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Widok modelu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" -msgid "Support Blocker" -msgstr "Blokada Podpory" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Oprogramowanie ukłądowe dostarczane z nowymi drukarkami działa, ale nowe wersje mają zazwyczaj więcej funkcji i ulepszeń." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Stwórz obszar, w którym podpory nie będą drukowane." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" -msgid "Sync" -msgstr "" +msgid "Automatically upgrade Firmware" +msgstr "Automatycznie uaktualnij oprogramowanie" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Prześlij niestandardowe oprogramowanie" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Oprogramowanie sprzętowe nie może być zaktualizowane, ponieważ nie ma połączenia z drukarką." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Zgadzam się" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Oprogramowanie sprzętowe nie może być zaktualizowane, ponieważ połączenie z drukarką nie wspiera usługi." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Akceptowanie Licencji Wtyczki" +msgid "Select custom firmware" +msgstr "Wybierz niestandardowe oprogramowanie" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Otwórz skompresowaną siatkę trójkątów" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 -msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "Cyfrowa wymiana zasobów COLLADA" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "Biblioteka glTF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "Załączony JSON glTF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Format trójkątów Stanforda" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Skompresowana cyfrowa wymiana zasobów COLLADA" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Pakiet Formatu Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "Wypoziomuj stół" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "Wybierz aktualizacje" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 -msgctxt "@action:button" -msgid "Monitor print" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 -msgctxt "@action:tooltip" -msgid "Track the print in Ultimaker Digital Factory" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 -#, python-brace-format -msgctxt "info:{0} gets replaced by a number of printers" -msgid "... and {0} other" -msgid_plural "... and {0} others" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 -msgctxt "info:status" -msgid "A cloud connection is not available for a printer" -msgid_plural "A cloud connection is not available for some printers" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 -msgctxt "info:status" -msgid "This printer is not linked to the Digital Factory:" -msgid_plural "These printers are not linked to the Digital Factory:" -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "{printer_name} will be removed until the next account sync." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "To remove {printer_name} permanently, visit {digital_factory_link}" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "Are you sure you want to remove {printer_name} temporarily?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" -msgid "Remove printers?" -msgstr "" +msgid "Firmware Update" +msgstr "Aktualizacja oprogramowania układowego" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" -msgid "" -"You are about to remove {0} printer from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgid_plural "" -"You are about to remove {0} printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr[0] "" -msgstr[1] "" +msgid "Updating firmware." +msgstr "Aktualizowanie oprogramowania." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" -msgid "" -"You are about to remove all printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr "" +msgid "Firmware update completed." +msgstr "Aktualizacja oprogramowania zakończona." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Rozpocznij" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Próbujesz połączyć się z drukarką, na której nie działa Ultimaker Connect. Zaktualizuj drukarkę do najnowszej wersji firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Zaktualizuj swoją drukarkę" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura wykryła profile materiałów, które nie zostały jeszcze zainstalowane na gospodarzu grupy {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Wysyłanie materiałów do drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Próbujesz połączyć się z {0}, ale nie jest to gospodarz grupy. Możesz odwiedzić stronę internetową, aby skonfigurować jako gospodarza." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Nie jest gospodarzem grupy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Konfiguruj grupę" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Poczekaj, aż bieżące zadanie zostanie wysłane." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Błąd druku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Nie można wgrać danych do drukarki." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Błąd sieci" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Wysyłanie zadania druku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Przesyłanie zadania do drukarki." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Zadanie drukowania zostało pomyślnie wysłane do drukarki." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Dane Wysłane" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Drukuj przez sieć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Drukuj przez sieć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Połączone przez sieć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Połącz przez sieć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "jutro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "dziś" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Drukowanie USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Drukuj przez USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Drukuj przez USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Połączono przez USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Trwa drukowanie przez USB, zamknięcie Cura spowoduje jego zatrzymanie. Jesteś pewien?" +msgid "Firmware update failed due to an unknown error." +msgstr "Aktualizacja oprogramowania nie powiodła się z powodu nieznanego błędu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Nadal trwa drukowanie. Cura nie może rozpocząć kolejnego wydruku przez USB, dopóki poprzedni wydruk nie zostanie zakończony." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Aktualizacja oprogramowania nie powiodła się z powodu błędu komunikacji." -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Drukowanie w toku" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Aktualizacja oprogramowania nie powiodła się z powodu błędu wejścia / wyjścia." -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D Plik" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Aktualizacja oprogramowania nie powiodła się z powodu utraconego oprogramowania." -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Widok X-Ray" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Niektóre rzeczy mogą być problematyczne podczas tego wydruku. Kliknij, aby zobaczyć porady dotyczące regulacji." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Otwórz projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Zaktualizuj istniejące" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Utwórz nowy" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Podsumowanie - Projekt Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Ustawienia drukarki" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Jak powinny być rozwiązywane błędy w maszynie?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Typ" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupa drukarek" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Ustawienia profilu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Jak powinien zostać rozwiązany problem z profilem?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nazwa" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Cel" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Nie w profilu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 nadpisanie" msgstr[1] "%1 Zastępuje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Pochodna z" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 nadpisanie" msgstr[1] "%1, %2 zastępuje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Ustawienia materiału" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Jak powinien zostać rozwiązany problem z materiałem?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Ustawienie widoczności" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Tryb" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Widoczne ustawienie:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 poza %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Ładowanie projektu usunie wszystkie modele z platformy roboczej." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Otwórz" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Chcesz więcej?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Utwórz kopię zapasową" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Automatyczne tworzenie kopii zapasowej" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Automatycznie twórz kopie zapasowe każdego dnia, w którym uruchomiono Curę." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Przywróć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Usuń kopię zapasową" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Czy na pewno chcesz usunąć tę kopię zapasową? Tej czynności nie można cofnąć." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Przywróć kopię zapasową" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Musisz zrestartować Curę przed przywróceniem kopii zapasowej. Czy chcesz teraz zamknąć Curę?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Wersja Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiały" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Pluginy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Kopie zapasowe cura" +msgid "Post Processing Plugin" +msgstr "Plugin post-processingu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Moje Kopie Zapasowe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Nie masz żadnych kopii zapasowych. Użyj przycisku „Utwórz kopię zapasową”, aby go utworzyć." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Podczas fazy podglądu będziesz ograniczony do 5 widocznych kopii zapasowych. Usuń kopię zapasową, aby zobaczyć starsze." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Wykonaj kopię zapasową i zsynchronizuj ustawienia Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Zaloguj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aktualizacja Oprogramowania Sprzętowego" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Oprogramowanie ukłądowe jest częścią oprogramowania działającego bezpośrednio na drukarce 3D. Oprogramowanie to steruje silnikami krokowymi, reguluje temperaturę i ostatecznie sprawia, że drukarka działa." +msgid "Post Processing Scripts" +msgstr "Skrypty post-processingu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Dodaj skrypt" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Oprogramowanie ukłądowe dostarczane z nowymi drukarkami działa, ale nowe wersje mają zazwyczaj więcej funkcji i ulepszeń." +msgid "Settings" +msgstr "Ustawienia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automatycznie uaktualnij oprogramowanie" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Prześlij niestandardowe oprogramowanie" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "" +msgstr[1] "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Oprogramowanie sprzętowe nie może być zaktualizowane, ponieważ nie ma połączenia z drukarką." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Oprogramowanie sprzętowe nie może być zaktualizowane, ponieważ połączenie z drukarką nie wspiera usługi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Wybierz niestandardowe oprogramowanie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aktualizacja oprogramowania układowego" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aktualizowanie oprogramowania." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aktualizacja oprogramowania zakończona." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Aktualizacja oprogramowania nie powiodła się z powodu nieznanego błędu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Aktualizacja oprogramowania nie powiodła się z powodu błędu komunikacji." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Aktualizacja oprogramowania nie powiodła się z powodu błędu wejścia / wyjścia." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Aktualizacja oprogramowania nie powiodła się z powodu utraconego oprogramowania." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Konwertuj obraz ..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Maksymalna odległość każdego piksela od \"Bazy.\"" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Wysokość (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Wysokość podstawy od stołu w milimetrach." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Baza (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "Szerokość w milimetrach na stole." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Szerokość (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "Głębokość w milimetrach na stole" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Głębokość (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Dla litofanów ciemne piksele powinny odpowiadać grubszym miejscom, aby zablokować więcej światła. Dla zaznaczenia wysokości map, jaśniejsze piksele oznaczają wyższy teren, więc jaśniejsze piksele powinny odpowiadać wyższym położeniom w wygenerowanym modelu 3D." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Ciemniejsze jest wyższe" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Jaśniejszy jest wyższy" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "Ilość wygładzania do zastosowania do obrazu." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Wygładzanie" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" -msgstr "Drukarka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Ustawienia dyszy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 msgctxt "@label" -msgid "Nozzle size" -msgstr "Rozmiar dyszy" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Proszę wybrać ulepszenia wykonane w tym Ultimaker Original" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Płyta grzewcza (zestaw oficjalny lub własnej roboty)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Poziomowanie stołu" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Kompatybilna średnica materiału" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Aby upewnić się, że wydruki będą wychodziły świetne, możesz teraz wyregulować stół. Po kliknięciu przycisku \"Przejdź do następnego położenia\" dysza będzie się poruszać do różnych pozycji, które można wyregulować." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Korekcja dyszy X" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Dla każdej pozycji; Włóż kartkę papieru pod dyszę i wyreguluj wysokość stołu roboczego. Wysokość stołu jest prawidłowa, gdy papier stawia lekki opór." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 -msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Korekcja dyszy Y" +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Rozpocznij poziomowanie stołu roboczego" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 -msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Numer Wentylatora" +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Przejdź do następnego położenia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Początkowy G-code ekstrudera" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Wiećej informacji o zbieraniu anonimowych danych" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Końcowy G-code ekstrudera" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura zbiera anonimowe dane w celu poprawy jakości druku i komfortu użytkowania. Poniżej znajduje się przykład wszystkich udostępnianych danych:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Ustawienia drukarki" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Nie chcę wysyłać anonimowych danych" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 -msgctxt "@label" -msgid "X (Width)" -msgstr "X (Szerokość)" +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Pozwól na wysyłanie anonimowych danych" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 -msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Głębokość)" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Marketplace" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 -msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Wysokość)" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Należy uruchomić ponownie Cura, aby zmiany w pakietach przyniosły efekt." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 -msgctxt "@label" -msgid "Build plate shape" -msgstr "Kształt stołu roboczego" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 -msgctxt "@label" -msgid "Origin at center" -msgstr "Początek na środku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 -msgctxt "@label" -msgid "Heated bed" -msgstr "Podgrzewany stół" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 -msgctxt "@label" -msgid "Heated build volume" -msgstr "Grzany obszar roboczy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 -msgctxt "@label" -msgid "G-code flavor" -msgstr "Wersja G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Ustawienia głowicy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 -msgctxt "@label" -msgid "X min" -msgstr "X min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 -msgctxt "@label" -msgid "Y min" -msgstr "Y min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 -msgctxt "@label" -msgid "X max" -msgstr "X max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 -msgctxt "@label" -msgid "Y max" -msgstr "Y max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 -msgctxt "@label" -msgid "Gantry Height" -msgstr "Wysokość wózka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 -msgctxt "@label" -msgid "Number of Extruders" -msgstr "Liczba ekstruderów" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 -msgctxt "@label" -msgid "Apply Extruder offsets to GCode" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Początkowy G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Instaluj" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Końcowy G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Zainstalowane" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Zgodność" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Drukarka" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Stół roboczy" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Podpory" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Jakość" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Dane Techniczne" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Dane Bezpieczeństwa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Wskazówki Drukowania" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Strona Internetowa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Zaloguj aby zainstalować lub aktualizować" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Kup materiał na szpulach" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Aktualizuj" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Aktualizowanie" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Zaktualizowano" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Powrót" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "Wtyczki" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiał" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Zainstalowano" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 +msgctxt "@label" +msgid "Will install upon restarting" +msgstr "Zostanie zainstalowane po ponownym uruchomieniu" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Zaloguj aby aktualizować" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Zainstaluj poprzednią wersję" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Odinstaluj" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 +msgctxt "@label" +msgid "Community Contributions" +msgstr "Udział Społeczności" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 +msgctxt "@label" +msgid "Community Plugins" +msgstr "Wtyczki Społeczności" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 +msgctxt "@label" +msgid "Generic Materials" +msgstr "Materiały Podstawowe" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Uzyskiwanie pakietów..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 +msgctxt "@label" +msgid "Website" +msgstr "Strona internetowa" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 +msgctxt "@label" +msgid "Email" +msgstr "E-mail" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 +msgctxt "@label" +msgid "Version" +msgstr "Wersja" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 +msgctxt "@label" +msgid "Last updated" +msgstr "Ostatnia aktualizacja" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 +msgctxt "@label" +msgid "Brand" +msgstr "Marka" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 +msgctxt "@label" +msgid "Downloads" +msgstr "Pobrań" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Nie można połączyć się z bazą danych pakietów Cura. Sprawdź swoje połączenie z internetem." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 +msgctxt "@label" +msgid "You need to accept the license to install the package" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Dalej" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 +msgctxt "@label" +msgid "The following packages will be added:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 +msgctxt "@label" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Potwierdź deinstalację" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Odinstalowujesz materiały i/lub profile, które są aktualnie używane. Zatwierdzenie spowoduje przywrócenie bieżących ustawień materiału/profilu do ustawień domyślnych." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materiały" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profile" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Potwierdź" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 +msgctxt "@label" +msgid "Color scheme" +msgstr "Schemat kolorów" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Kolor materiału" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Rodzaj linii" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 +msgctxt "@label" +msgid "Compatibility Mode" +msgstr "Tryb zgodności" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 +msgctxt "@label" +msgid "Travels" +msgstr "Ruchy" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 +msgctxt "@label" +msgid "Helpers" +msgstr "Pomoce" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 +msgctxt "@label" +msgid "Shell" +msgstr "Obrys" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 +msgctxt "@label" +msgid "Infill" +msgstr "Wypełnienie" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 +msgctxt "@label" +msgid "Starts" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 +msgctxt "@label" +msgid "Only Show Top Layers" +msgstr "Pokaż tylko najwyższe warstwy" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Pokaż 5 Szczegółowych Warstw" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Góra/ Dół" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Wewnętrzna ściana" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "max" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Zarządzaj drukarkami" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Szkło" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Zaktualizuj oprogramowanie drukarki, aby zdalnie zarządzać kolejką." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Wczytywanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Niedostępne" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Nieosiągalna" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Zajęta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Przygotowyję..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Drukowanie" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Bez tytułu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anonimowa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Wymaga zmian konfiguracji" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Szczegóły" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Drukarka niedostępna" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Pierwsza dostępna" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "W kolejce" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Zarządzaj w przeglądarce" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "W kolejce nie ma zadań drukowania. Potnij i wyślij zadanie, aby dodać." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Zadania druku" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Łączny czas druku" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Oczekiwanie na" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Drukuj przez sieć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Drukuj" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Wybór drukarki" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Zmiany konfiguracji" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Nadpisz" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Przypisana drukarka, %1, wymaga następującej zmiany konfiguracji:" +msgstr[1] "Przypisana drukarka, %1, wymaga następujących zmian konfiguracji:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Drukarka %1 jest przypisana, ale zadanie zawiera nieznaną konfigurację materiału." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Zmień materiał %1 z %2 na %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Załaduj %3 jako materiał %1 (Nie można nadpisać)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Zmień rdzeń drukujący %1 z %2 na %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Zmień stół na %1 (Nie można nadpisać)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Nadpisanie spowoduje użycie określonych ustawień w istniejącej konfiguracji drukarki. Może to spowodować niepowodzenie druku." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Aluminum" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Zakończono" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Przerywanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Anulowano" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Zatrzymywanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Wstrzymana" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Przywracanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Konieczne są działania" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Zakończone %1 z %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Połącz się z drukarką sieciową" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Aby drukować bezpośrednio na drukarce przez sieć, upewnij się, że drukarka jest podłączona do sieci za pomocą kabla sieciowego lub do sieci WIFI. Jeśli nie podłączysz Cury do drukarki, możesz nadal używać napędu USB do przesyłania plików G-Code do drukarki." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Wybierz swoją drukarkę z poniższej listy:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Edycja" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Usunąć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Odśwież" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Jeżeli twojej drukarki nie ma na liście, przeczytaj poradnik o problemach z drukowaniem przez sieć" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Rodzaj" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Wersja oprogramowania" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Adres" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Ta drukarka nie jest skonfigurowana jako host dla grupy drukarek." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Ta drukarka jest hostem grupy %1 drukarek." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "Drukarka pod tym adresem jeszcze nie odpowiedziała." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Połącz" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Nieprawidłowy adres IP" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Proszę podać poprawny adres IP." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Adres drukarki" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Wprowadź adres IP drukarki." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Przesuń na początek" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Usuń" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Ponów" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Zatrzymywanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Przywracanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Wstrzymaj" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Przerywanie..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Anuluj" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Czy jesteś pewien, że chcesz przesunąć %1 na początek kolejki?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Przesuń zadanie drukowania na początek" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Czy jesteś pewien, że chcesz usunąć %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Usuń zadanie drukowania" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Czy jesteś pewien, że chcesz anulować %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Anuluj wydruk" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2312,1485 +3316,433 @@ msgstr "" "- Sprawdź, czy drukarka jest podłączona do sieci.\n" "- Sprawdź, czy jesteś zalogowany, aby znaleźć drukarki podłączone do chmury." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Podłącz drukarkę do sieci." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Pokaż instrukcję użytkownika online" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Typ siatki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normalny model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Drukuj jako podpora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modyfikuj ustawienia nakładania" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Nie wspieraj nałożenia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Wybierz ustawienia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Wybierz Ustawienia, aby dostosować ten model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtr..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Pokaż wszystko" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plugin post-processingu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Skrypty post-processingu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Dodaj skrypt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Ustawienia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Niektóre rzeczy mogą być problematyczne podczas tego wydruku. Kliknij, aby zobaczyć porady dotyczące regulacji." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "" -msgstr[1] "" +msgid "3D View" +msgstr "Widok 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Schemat kolorów" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Kolor materiału" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Rodzaj linii" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Tryb zgodności" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Ruchy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Pomoce" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Obrys" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Wypełnienie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Pokaż tylko najwyższe warstwy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Pokaż 5 Szczegółowych Warstw" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Góra/ Dół" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Wewnętrzna ściana" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "max" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Wiećej informacji o zbieraniu anonimowych danych" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura zbiera anonimowe dane w celu poprawy jakości druku i komfortu użytkowania. Poniżej znajduje się przykład wszystkich udostępnianych danych:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Nie chcę wysyłać anonimowych danych" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Pozwól na wysyłanie anonimowych danych" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Powrót" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Zgodność" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Drukarka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Stół roboczy" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Podpory" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Jakość" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Dane Techniczne" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Dane Bezpieczeństwa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Wskazówki Drukowania" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Strona Internetowa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Zainstalowane" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Zaloguj aby zainstalować lub aktualizować" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Kup materiał na szpulach" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Aktualizuj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Aktualizowanie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Zaktualizowano" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "" +msgid "Front View" +msgstr "Widok z przodu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Widok z góry" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Widok z lewej strony" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Widok z prawej strony" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "" +msgid "Object list" +msgstr "Lista obiektów" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Należy uruchomić ponownie Cura, aby zmiany w pakietach przyniosły efekt." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Wtyczki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Zainstalowano" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Zostanie zainstalowane po ponownym uruchomieniu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Zaloguj aby aktualizować" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Zainstaluj poprzednią wersję" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Odinstaluj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instaluj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Dalej" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Potwierdź deinstalację" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Odinstalowujesz materiały i/lub profile, które są aktualnie używane. Zatwierdzenie spowoduje przywrócenie bieżących ustawień materiału/profilu do ustawień domyślnych." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiały" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Potwierdź" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Strona internetowa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Wersja" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Ostatnia aktualizacja" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Pobrań" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Udział Społeczności" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Wtyczki Społeczności" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiały Podstawowe" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Nie można połączyć się z bazą danych pakietów Cura. Sprawdź swoje połączenie z internetem." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Uzyskiwanie pakietów..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Marketplace" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Poziomowanie stołu" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Plik" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Aby upewnić się, że wydruki będą wychodziły świetne, możesz teraz wyregulować stół. Po kliknięciu przycisku \"Przejdź do następnego położenia\" dysza będzie się poruszać do różnych pozycji, które można wyregulować." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Edytuj" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Dla każdej pozycji; Włóż kartkę papieru pod dyszę i wyreguluj wysokość stołu roboczego. Wysokość stołu jest prawidłowa, gdy papier stawia lekki opór." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Widok" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Rozpocznij poziomowanie stołu roboczego" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "Opcje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Przejdź do następnego położenia" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "&Rozszerzenia" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Proszę wybrać ulepszenia wykonane w tym Ultimaker Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Preferencje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Płyta grzewcza (zestaw oficjalny lub własnej roboty)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "P&omoc" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Połącz się z drukarką sieciową" +msgid "New project" +msgstr "Nowy projekt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Aby drukować bezpośrednio na drukarce przez sieć, upewnij się, że drukarka jest podłączona do sieci za pomocą kabla sieciowego lub do sieci WIFI. Jeśli nie podłączysz Cury do drukarki, możesz nadal używać napędu USB do przesyłania plików G-Code do drukarki." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Czy na pewno chcesz rozpocząć nowy projekt? Spowoduje to wyczyszczenie stołu i niezapisanych ustawień." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Wybierz swoją drukarkę z poniższej listy:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Edycja" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Usunąć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Odśwież" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Jeżeli twojej drukarki nie ma na liście, przeczytaj poradnik o problemach z drukowaniem przez sieć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Rodzaj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Wersja oprogramowania" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Ta drukarka nie jest skonfigurowana jako host dla grupy drukarek." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Ta drukarka jest hostem grupy %1 drukarek." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Drukarka pod tym adresem jeszcze nie odpowiedziała." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Połącz" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Nieprawidłowy adres IP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Proszę podać poprawny adres IP." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Adres drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Wprowadź adres IP drukarki." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Zmiany konfiguracji" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Nadpisz" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Przypisana drukarka, %1, wymaga następującej zmiany konfiguracji:" -msgstr[1] "Przypisana drukarka, %1, wymaga następujących zmian konfiguracji:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "Drukarka %1 jest przypisana, ale zadanie zawiera nieznaną konfigurację materiału." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Zmień materiał %1 z %2 na %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Załaduj %3 jako materiał %1 (Nie można nadpisać)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Zmień rdzeń drukujący %1 z %2 na %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Zmień stół na %1 (Nie można nadpisać)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Nadpisanie spowoduje użycie określonych ustawień w istniejącej konfiguracji drukarki. Może to spowodować niepowodzenie druku." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Szkło" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Aluminum" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Przesuń na początek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Usuń" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Ponów" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Zatrzymywanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Przywracanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Wstrzymaj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Przerywanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Anuluj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Czy jesteś pewien, że chcesz przesunąć %1 na początek kolejki?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Przesuń zadanie drukowania na początek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Czy jesteś pewien, że chcesz usunąć %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Usuń zadanie drukowania" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Czy jesteś pewien, że chcesz anulować %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Anuluj wydruk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Zarządzaj drukarkami" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Zaktualizuj oprogramowanie drukarki, aby zdalnie zarządzać kolejką." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Wczytywanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Niedostępne" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Nieosiągalna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Zajęta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Przygotowyję..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Drukowanie" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Bez tytułu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonimowa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Wymaga zmian konfiguracji" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Szczegóły" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Drukarka niedostępna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Pierwsza dostępna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Anulowano" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Zakończono" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Przerywanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Zatrzymywanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Wstrzymana" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Przywracanie..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Konieczne są działania" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Zakończone %1 z %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "W kolejce" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Zarządzaj w przeglądarce" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "W kolejce nie ma zadań drukowania. Potnij i wyślij zadanie, aby dodać." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Zadania druku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Łączny czas druku" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Oczekiwanie na" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Drukuj przez sieć" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Drukuj" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Wybór drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Zaloguj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Szacunkowy czas niedostępny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Szacunkowy koszt niedostępny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Podgląd" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Szacunkowy czas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Szacunkowy materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Cięcie..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Nie można pociąć" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Przetwarzanie" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Potnij" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Rozpocznij proces cięcia" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Anuluj" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Pokaż przewodnik rozwiązywania problemów online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Przełącz tryb pełnoekranowy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Wyłącz tryb pełnoekranowy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Cofnij" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Ponów" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Zamknij" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Widok 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Widok z przodu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Widok z góry" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Widok z lewej strony" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Widok z prawej strony" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Konfiguruj Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Dodaj drukarkę..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Zarządzaj drukarkami..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Zarządzaj materiałami..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Aktualizuj profil z bieżącymi ustawieniami" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Odrzuć bieżące zmiany" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Utwórz profil z bieżących ustawień..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Zarządzaj profilami..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Pokaż dokumentację internetową" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Zgłoś błąd" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Co nowego" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "O..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Usuń model" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Wyśrodkuj model na platformie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Grupuj modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Rozgrupuj modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Połącz modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Powiel model..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Wybierz wszystkie modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Wyczyść stół" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Przeładuj wszystkie modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Rozłóż Wszystkie Modele na Wszystkie Platformy Robocze" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Ułóż wszystkie modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Wybór ułożenia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Zresetuj wszystkie pozycje modelu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Zresetuj wszystkie przekształcenia modelu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Otwórz plik(i)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Nowy projekt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Pokaż folder konfiguracji" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Skonfiguruj widoczność ustawień ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Ten pakiet zostanie zainstalowany po ponownym uruchomieniu." +msgid "Time estimation" +msgstr "Szacunkowy czas" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Ogólny" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Szacunkowy materiał" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ustawienia" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Drukarki" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profile" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Szacunkowy czas niedostępny" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Szacunkowy koszt niedostępny" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Podgląd" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Otwórz plik(i)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instaluj pakiety" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Otwórz plik(i)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Znaleziono jeden lub więcej plików G-code w wybranych plikach. Możesz otwierać tylko jeden plik G-code jednocześnie. Jeśli chcesz otworzyć plik G-code, proszę wybierz tylko jeden." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "Dodaj drukarkę" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" -msgid "What's New" -msgstr "Co nowego" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Dodaj drukarkę sieciową" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Dodaj drukarkę niesieciową" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Dodaj drukarkę przez IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Dodaj" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Nie można połączyć się z urządzeniem." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "Drukarka pod tym adresem jeszcze nie odpowiedziała." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Ta drukarka nie może zostać dodana, ponieważ jest nieznana lub nie jest hostem grupy." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Wstecz" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Połącz" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Umowa z użytkownikiem" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Odrzuć i zamknij" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Witaj w Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Rozpocznij" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Producent" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nazwa drukarki" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Nie znaleziono drukarki w Twojej sieci." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Odśwież" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Dodaj drukarkę przez IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Rozwiązywanie problemów" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Pomóż nam ulepszyć Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura zbiera anonimowe dane w celu poprawy jakości druku i komfortu użytkownika, w tym:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Typy maszyn" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Zużycie materiału" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Ilość warstw" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Ustawienia druku" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Dane zebrane przez Ultimaker Cura nie będą zawierać żadnych prywatnych danych osobowych." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Więcej informacji" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" +msgid "What's New" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Pusty" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "version: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Kompletne rozwiązanie do druku przestrzennego." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3799,183 +3751,204 @@ msgstr "" "Cura jest rozwijana przez firmę Ultimaker B.V. we współpracy ze społecznością.\n" "Cura z dumą korzysta z następujących projektów open source:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Graficzny interfejs użytkownika" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Struktura aplikacji" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Generator g-code" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Biblioteka komunikacji międzyprocesowej" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Język programowania" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "Framework GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Powiązania Frameworka GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Biblioteka Powiązań C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Format wymiany danych" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Wsparcie biblioteki do obliczeń naukowych" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Wsparcie biblioteki dla szybszej matematyki" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Wsparcie biblioteki do obsługi plików STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Biblioteka pomocnicza do obsługi obiektów płaskich" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Biblioteka pomocnicza do obsługi siatek trójkątów" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Wsparcie biblioteki do obsługi plików 3MF" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Biblioteka pomocy dla metadanych plików i przesyłania strumieniowego" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Biblioteka komunikacji szeregowej" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Bilbiotek poszukująca Zeroconf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Biblioteka edytująca pola" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Czcionka" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Ikony SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Wdrożenie aplikacji pomiędzy dystrybucjami Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Otwórz plik projektu" +msgid "Open file(s)" +msgstr "Otwórz plik(i)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Jest to plik projektu Cura. Czy chcesz otworzyć go jako projekt, czy zaimportować z niego modele?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Znaleziono jeden lub więcej plików projektu w wybranych plikach. Możesz otwierać tylko jeden plik projektu na raz. Proponujemy importowanie tylko modeli z tych plików. Czy chcesz kontynuować?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Zapamiętaj mój wybór" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Otwórz jako projekt" +msgid "Import all as models" +msgstr "Importuj wszystkie jako modele" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Zapisz projekt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Ekstruder %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Nie pokazuj podsumowania projektu podczas ponownego zapisywania" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importuj modele" +msgid "Save" +msgstr "Zapisz" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Odrzuć lub zachowaj zmiany" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3983,1251 +3956,144 @@ msgid "" "Alternatively, you can discard the changes to load the defaults from '%1'." msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Ustawienia profilu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Zawsze pytaj o to" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Odrzuć i nigdy nie pytaj" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Zachowaj i nigdy nie pytaj" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Otwórz plik projektu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Znaleziono jeden lub więcej plików projektu w wybranych plikach. Możesz otwierać tylko jeden plik projektu na raz. Proponujemy importowanie tylko modeli z tych plików. Czy chcesz kontynuować?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Jest to plik projektu Cura. Czy chcesz otworzyć go jako projekt, czy zaimportować z niego modele?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Zapamiętaj mój wybór" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importuj wszystkie jako modele" +msgid "Open as project" +msgstr "Otwórz jako projekt" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Zapisz projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Ekstruder %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Nie pokazuj podsumowania projektu podczas ponownego zapisywania" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Zapisz" +msgid "Import models" +msgstr "Importuj modele" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Drukuj Wybrany Model z %1" -msgstr[1] "Drukuj Wybrane Modele z %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Bez tytułu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Plik" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Edytuj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Widok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "Opcje" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "&Rozszerzenia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Preferencje" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "P&omoc" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Nowy projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Czy na pewno chcesz rozpocząć nowy projekt? Spowoduje to wyczyszczenie stołu i niezapisanych ustawień." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Konfiguracje" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Ta konfiguracja jest niedostępna, ponieważ %1 jest nierozpoznany. Przejdź do %2, aby pobrać prawidłowy profil materiału." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Ładowanie dostępnych konfiguracji z drukarki..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Konfiguracje są niedostępne, ponieważ drukarka jest odłączona." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Wybierz konfigurację" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Konfiguracje" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Niestandardowe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Drukarka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Włączona" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Użyj kleju dla lepszej przyczepności dla tej kombinacji materiałów." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Wydrukuj wybrany model z:" -msgstr[1] "Wydrukuj wybrane modele z:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Zduplikuj wybrany model" -msgstr[1] "Zduplikuj wybrane modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Liczba kopii" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Eksportuj..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Eksportuj Zaznaczenie..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Ulubione" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Podstawowe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Drukarki dostępne w sieci" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Drukarki lokalne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Otwórz &ostatnio używane" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Drukarka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Ustaw jako aktywną głowicę" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Włącz Ekstruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Wyłącz Ekstruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Widoczne Ustawienia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Ustaw Widoczność Ustawień..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Pozycja kamery" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Widok z kamery" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektywiczny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Rzut ortograficzny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "P&ole robocze" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Nie podłączono do drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Drukarka nie akceptuje poleceń" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "W naprawie. Sprawdź drukarkę" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Utracone połączenie z drukarką" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Drukowanie..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Wstrzymano" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Przygotowywanie ..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Usuń wydruk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Anuluj Wydruk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Czy na pewno chcesz przerwać drukowanie?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "" -msgstr[1] "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista obiektów" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interfejs" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Waluta:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Motyw:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Musisz zrestartować aplikację, aby te zmiany zaczęły obowiązywać." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Tnij automatycznie podczas zmiany ustawień." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Automatyczne Cięcie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Zachowanie okna edycji" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Zaznacz nieobsługiwane obszary modelu na czerwono. Bez wsparcia te obszary nie będą drukowane prawidłowo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Wyświetl zwis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Przenosi kamerę, aby model był w centrum widoku, gdy wybrano model" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Wyśrodkuj kamerę kiedy przedmiot jest zaznaczony" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Czy domyślne zachowanie zoomu powinno zostać odwrócone?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Odwróć kierunek zoomu kamery." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Czy przybliżanie powinno poruszać się w kierunku myszy?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Powiększanie w kierunku myszy nie jest obsługiwane w danej perspektywie." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Przybliżaj w kierunku myszy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Czy modele na platformie powinny być przenoszone w taki sposób, aby nie przecinały się?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Upewnij się, że modele są oddzielone" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Czy modele na platformie powinny być przesunięte w dół, aby dotknęły stołu roboczego?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Automatycznie upuść modele na stół roboczy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Pokaż wiadomości ostrzegawcze w czytniku g-code." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Wiadomość ostrzegawcza w czytniku g-code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Czy warstwa powinna być wymuszona w trybie zgodności?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Wymuszenie widoku warstw w trybie zgodności (wymaga ponownego uruchomienia)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Czy Cura powinna się otwierać w miejscu, w którym została zamknięta?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Przywróć pozycję okna przy starcie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Jakiego rodzaju kamery należy użyć do renderowania?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Renderowanie z kamery:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspektywiczny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Rzut ortograficzny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Otwieranie i zapisywanie plików" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Czy modele powinny być skalowane do wielkości obszaru roboczego, jeśli są zbyt duże?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Skaluj duże modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Model może wydawać się bardzo mały, jeśli jego jednostka jest na przykład w metrach, a nie w milimetrach. Czy takie modele powinny być skalowane?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Skaluj bardzo małe modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Czy modele powinny zostać zaznaczone po załadowaniu?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Zaznaczaj modele po załadowaniu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Czy przedrostek oparty na nazwie drukarki powinien być automatycznie dodawany do nazwy zadania?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Dodaj przedrostek maszyny do nazwy zadania" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Czy podsumowanie powinno być wyświetlane podczas zapisu projektu?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Pokaż okno podsumowania podczas zapisywaniu projektu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Domyślne zachowanie podczas otwierania pliku projektu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Domyślne zachowanie podczas otwierania pliku projektu: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Zawsze pytaj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Zawsze otwieraj jako projekt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Zawsze importuj modele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Kiedy dokonasz zmian w profilu i przełączysz się na inny, zostanie wyświetlone okno z pytaniem, czy chcesz zachować twoje zmiany, czy nie. Możesz też wybrać domyślne zachowanie, żeby to okno już nigdy nie było pokazywane." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profile" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Domyślne zachowanie dla zmienionych ustawień podczas zmiany profilu na inny: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Zawsze odrzucaj wprowadzone zmiany" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Zawsze przenoś wprowadzone zmiany do nowego profilu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Prywatność" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Czy anonimowe dane na temat wydruku mają być wysyłane do Ultimaker? Uwaga. Żadne modele, adresy IP, ani żadne inne dane osobiste nie będą wysyłane i/lub przechowywane." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Wyślij (anonimowe) informacje o drukowaniu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Więcej informacji" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Czy Cura ma sprawdzać dostępność aktualizacji podczas uruchamiania programu?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Sprawdź, dostępność aktualizacji podczas uruchamiania" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Aktywuj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Zmień nazwę" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Stwórz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplikuj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importuj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Eksportuj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Drukarka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Potwierdź Usunięcie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Czy na pewno chcesz usunąć %1? Nie można tego cofnąć!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importuj Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Nie można zaimportować materiału %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Udało się zaimportować materiał %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Eksportuj Materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Nie udało się wyeksportować materiału do %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Udało się wyeksportować materiał do %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informacja" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Potwierdź Zmianę Średnicy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Średnica nowego filamentu została ustawiona na %1mm, i nie jest kompatybilna z bieżącym ekstruderem. Czy chcesz kontynuować?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Wyświetlana nazwa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Typ Materiału" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Kolor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Właściwości" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Gęstość" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Średnica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Koszt Filamentu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Waga filamentu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Długość Filamentu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Koszt na metr" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Ten materiał jest powiązany z %1 i dzieli się niekórymi swoimi właściwościami." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Odłącz materiał" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Opis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informacje dotyczące przyczepności" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Ustawienia druku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Stwórz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplikuj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Stwórz profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Podaj nazwę tego profilu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplikuj profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Zmień nazwę profilu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importuj Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Eksportuj Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Drukarka: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Aktualizuj profil z bieżącymi ustawieniami" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Odrzuć bieżące zmiany" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Ten profil używa ustawień domyślnych określonych przez drukarkę, dlatego nie ma żadnych ustawień z poniższej liście." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Aktualne ustawienia odpowiadają wybranemu profilowi." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Ustawienia ogólne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Przeliczone" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ustawienie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Aktualny" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Jednostka" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Widoczność ustawienia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Zaznacz wszystko" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Ekstruder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Docelowa temperatura głowicy. Głowica będzie się rozgrzewać lub chłodzić do tej temperatury. Jeżeli jest równe 0, grzanie głowicy będzie wyłączone." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Aktualna temperatura tej głowicy." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Temperatura do wstępnego podgrzewania głowicy." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Anuluj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Podgrzewanie wstępne" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Podgrzej głowicę przed drukowaniem. Możesz w dalszym ciągu dostosowywać drukowanie podczas podgrzewania i nie będziesz musiał czekać na podgrzanie głowicy kiedy będziesz gotowy." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Kolor materiału w tym ekstruderze." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Materiał w głowicy drukującej." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Dysza włożona do tego ekstrudera." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Stół roboczy" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Temperatura docelowa podgrzewanego stołu. Stół rozgrzeje się lub schłodzi w kierunku tej temperatury. Jeśli ustawione jest 0, grzanie stołu jest wyłączone." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Bieżąca temperatura podgrzewanego stołu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Temperatura do wstępnego podgrzewania stołu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Przed drukowaniem podgrzej stół. W dalszym ciągu można dostosowywać druk podczas nagrzewania, a nie będziesz musiał czekać na rozgrzanie stołu, gdy będziesz gotowy do drukowania." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Kontrola drukarką" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Pozycja Swobodnego Ruchu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Dystans Swobodnego Ruchu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Wyślij G-code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Wyślij niestandardową komendę G-code do podłączonej drukarki. Naciśnij 'enter', aby wysłać komendę." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Drukarka nie jest podłączona." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Dodaj drukarkę" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Zarządzaj drukarkami" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Podłączone drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Zdefiniowane drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Aktywny wydruk" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Nazwa pracy" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Czas druku" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Szacowany czas pozostały" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Dodaj drukarkę" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Zarządzaj drukarkami" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Podłączone drukarki" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Zdefiniowane drukarki" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Ustawienia druku" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Ustawienia druku niedostępne. Plik .gcode nie może być modyfikowany." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5238,120 +4104,1700 @@ msgstr "" "\n" "Kliknij, aby otworzyć menedżer profili." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Profile niestandardowe" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Odrzuć bieżące zmiany" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Polecane" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Niestandardowe" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Wł" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Wył" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Eksperymentalne" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Nie ma profilu %1 dla konfiguracji w ekstruderze %2. Zamiast tego zostaną użyte domyślne cale" msgstr[1] "Nie ma profilu %1 dla konfiguracji w ekstruderach %2. Zamiast tego zostaną użyte domyślne cale" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Ustawienia druku niedostępne. Plik .gcode nie może być modyfikowany." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Polecane" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Niestandardowe" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Wł" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Wył" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Eksperymentalne" +msgid "Profiles" +msgstr "Profile" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Przyczepność" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Włącz drukowanie obrysu lub tratwy. Spowoduje to dodanie płaskiej powierzchni wokół lub pod Twoim obiektem, która jest łatwa do usunięcia po wydruku." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Stopniowe wypełnienie" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Stopniowe wypełnienie stopniowo zwiększa ilość wypełnień w górę." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Zmodyfikowałeś ustawienia profilu. Jeżeli chcesz je zmienić, przejdź do trybu niestandardowego." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Podpory" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Generuje podpory wspierające części modelu, które mają zwis. Bez tych podpór takie części mogłyby spaść podczas drukowania." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Niektóre ukryte ustawienia używają wartości różniących się od ich normalnej, obliczonej wartości.\n" -"\n" -"Kliknij, aby te ustawienia były widoczne." +msgid "Gradual infill" +msgstr "Stopniowe wypełnienie" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Stopniowe wypełnienie stopniowo zwiększa ilość wypełnień w górę." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Przyczepność" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Włącz drukowanie obrysu lub tratwy. Spowoduje to dodanie płaskiej powierzchni wokół lub pod Twoim obiektem, która jest łatwa do usunięcia po wydruku." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Drukarki dostępne w sieci" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Drukarki lokalne" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Ulubione" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Podstawowe" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Wydrukuj wybrany model z:" +msgstr[1] "Wydrukuj wybrane modele z:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Zduplikuj wybrany model" +msgstr[1] "Zduplikuj wybrane modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Liczba kopii" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Eksportuj..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Eksportuj Zaznaczenie..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Konfiguracje" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Niestandardowe" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Drukarka" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Włączona" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Użyj kleju dla lepszej przyczepności dla tej kombinacji materiałów." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Wybierz konfigurację" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Konfiguracje" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Ładowanie dostępnych konfiguracji z drukarki..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Konfiguracje są niedostępne, ponieważ drukarka jest odłączona." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Ta konfiguracja jest niedostępna, ponieważ %1 jest nierozpoznany. Przejdź do %2, aby pobrać prawidłowy profil materiału." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Drukarka" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Ustaw jako aktywną głowicę" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Włącz Ekstruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Wyłącz Ekstruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Otwórz &ostatnio używane" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Widoczne Ustawienia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Ustaw Widoczność Ustawień..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Pozycja kamery" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Widok z kamery" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspektywiczny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Rzut ortograficzny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "P&ole robocze" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Typ widoku" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "" +msgstr[1] "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profile" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Aktywuj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Stwórz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplikuj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Zmień nazwę" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importuj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Eksportuj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Stwórz profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Podaj nazwę tego profilu." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Duplikuj profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Potwierdź Usunięcie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Czy na pewno chcesz usunąć %1? Nie można tego cofnąć!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Zmień nazwę profilu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importuj Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Eksportuj Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Drukarka: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Aktualizuj profil z bieżącymi ustawieniami" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Ten profil używa ustawień domyślnych określonych przez drukarkę, dlatego nie ma żadnych ustawień z poniższej liście." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Aktualne ustawienia odpowiadają wybranemu profilowi." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Ustawienia ogólne" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Ogólny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interfejs" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Waluta:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Motyw:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Musisz zrestartować aplikację, aby te zmiany zaczęły obowiązywać." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Tnij automatycznie podczas zmiany ustawień." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Automatyczne Cięcie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Zachowanie okna edycji" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Zaznacz nieobsługiwane obszary modelu na czerwono. Bez wsparcia te obszary nie będą drukowane prawidłowo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Wyświetl zwis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Przenosi kamerę, aby model był w centrum widoku, gdy wybrano model" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Wyśrodkuj kamerę kiedy przedmiot jest zaznaczony" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Czy domyślne zachowanie zoomu powinno zostać odwrócone?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Odwróć kierunek zoomu kamery." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Czy przybliżanie powinno poruszać się w kierunku myszy?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Powiększanie w kierunku myszy nie jest obsługiwane w danej perspektywie." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Przybliżaj w kierunku myszy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Czy modele na platformie powinny być przenoszone w taki sposób, aby nie przecinały się?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Upewnij się, że modele są oddzielone" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Czy modele na platformie powinny być przesunięte w dół, aby dotknęły stołu roboczego?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Automatycznie upuść modele na stół roboczy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Pokaż wiadomości ostrzegawcze w czytniku g-code." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Wiadomość ostrzegawcza w czytniku g-code" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Czy warstwa powinna być wymuszona w trybie zgodności?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Wymuszenie widoku warstw w trybie zgodności (wymaga ponownego uruchomienia)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Czy Cura powinna się otwierać w miejscu, w którym została zamknięta?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Przywróć pozycję okna przy starcie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Jakiego rodzaju kamery należy użyć do renderowania?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Renderowanie z kamery:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspektywiczny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Rzut ortograficzny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Otwieranie i zapisywanie plików" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Czy modele powinny być skalowane do wielkości obszaru roboczego, jeśli są zbyt duże?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Skaluj duże modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Model może wydawać się bardzo mały, jeśli jego jednostka jest na przykład w metrach, a nie w milimetrach. Czy takie modele powinny być skalowane?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Skaluj bardzo małe modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Czy modele powinny zostać zaznaczone po załadowaniu?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Zaznaczaj modele po załadowaniu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Czy przedrostek oparty na nazwie drukarki powinien być automatycznie dodawany do nazwy zadania?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Dodaj przedrostek maszyny do nazwy zadania" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Czy podsumowanie powinno być wyświetlane podczas zapisu projektu?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Pokaż okno podsumowania podczas zapisywaniu projektu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Domyślne zachowanie podczas otwierania pliku projektu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Domyślne zachowanie podczas otwierania pliku projektu: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Zawsze pytaj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Zawsze otwieraj jako projekt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Zawsze importuj modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Kiedy dokonasz zmian w profilu i przełączysz się na inny, zostanie wyświetlone okno z pytaniem, czy chcesz zachować twoje zmiany, czy nie. Możesz też wybrać domyślne zachowanie, żeby to okno już nigdy nie było pokazywane." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Domyślne zachowanie dla zmienionych ustawień podczas zmiany profilu na inny: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Zawsze odrzucaj wprowadzone zmiany" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Zawsze przenoś wprowadzone zmiany do nowego profilu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Prywatność" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Czy anonimowe dane na temat wydruku mają być wysyłane do Ultimaker? Uwaga. Żadne modele, adresy IP, ani żadne inne dane osobiste nie będą wysyłane i/lub przechowywane." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Wyślij (anonimowe) informacje o drukowaniu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Więcej informacji" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Czy Cura ma sprawdzać dostępność aktualizacji podczas uruchamiania programu?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Sprawdź, dostępność aktualizacji podczas uruchamiania" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informacja" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Potwierdź Zmianę Średnicy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Średnica nowego filamentu została ustawiona na %1mm, i nie jest kompatybilna z bieżącym ekstruderem. Czy chcesz kontynuować?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Wyświetlana nazwa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Typ Materiału" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Kolor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Właściwości" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Gęstość" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Średnica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Koszt Filamentu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Waga filamentu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Długość Filamentu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Koszt na metr" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Ten materiał jest powiązany z %1 i dzieli się niekórymi swoimi właściwościami." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Odłącz materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Opis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Informacje dotyczące przyczepności" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Stwórz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplikuj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Drukarka" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importuj Materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Nie można zaimportować materiału %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Udało się zaimportować materiał %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Eksportuj Materiał" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Nie udało się wyeksportować materiału do %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Udało się wyeksportować materiał do %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Widoczność ustawienia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Zaznacz wszystko" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Drukarki" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Przeliczone" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Ustawienie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Aktualny" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Jednostka" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Nie podłączono do drukarki" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Drukarka nie akceptuje poleceń" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "W naprawie. Sprawdź drukarkę" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Utracone połączenie z drukarką" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Drukowanie..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Wstrzymano" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Przygotowywanie ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Usuń wydruk" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Anuluj Wydruk" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Czy na pewno chcesz przerwać drukowanie?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Drukuj Wybrany Model z %1" +msgstr[1] "Drukuj Wybrane Modele z %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Kontrola drukarką" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Pozycja Swobodnego Ruchu" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Dystans Swobodnego Ruchu" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Wyślij G-code" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Wyślij niestandardową komendę G-code do podłączonej drukarki. Naciśnij 'enter', aby wysłać komendę." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Ekstruder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Docelowa temperatura głowicy. Głowica będzie się rozgrzewać lub chłodzić do tej temperatury. Jeżeli jest równe 0, grzanie głowicy będzie wyłączone." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Aktualna temperatura tej głowicy." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Temperatura do wstępnego podgrzewania głowicy." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Anuluj" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Podgrzewanie wstępne" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Podgrzej głowicę przed drukowaniem. Możesz w dalszym ciągu dostosowywać drukowanie podczas podgrzewania i nie będziesz musiał czekać na podgrzanie głowicy kiedy będziesz gotowy." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Kolor materiału w tym ekstruderze." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Materiał w głowicy drukującej." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Dysza włożona do tego ekstrudera." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Drukarka nie jest podłączona." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Stół roboczy" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Temperatura docelowa podgrzewanego stołu. Stół rozgrzeje się lub schłodzi w kierunku tej temperatury. Jeśli ustawione jest 0, grzanie stołu jest wyłączone." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Bieżąca temperatura podgrzewanego stołu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Temperatura do wstępnego podgrzewania stołu." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Przed drukowaniem podgrzej stół. W dalszym ciągu można dostosowywać druk podczas nagrzewania, a nie będziesz musiał czekać na rozgrzanie stołu, gdy będziesz gotowy do drukowania." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Zaloguj" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Bez tytułu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Pokaż przewodnik rozwiązywania problemów online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Przełącz tryb pełnoekranowy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Wyłącz tryb pełnoekranowy" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Cofnij" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Ponów" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Zamknij" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Widok 3D" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Widok z przodu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Widok z góry" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Widok z lewej strony" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Widok z prawej strony" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Konfiguruj Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Dodaj drukarkę..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Zarządzaj drukarkami..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Zarządzaj materiałami..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Aktualizuj profil z bieżącymi ustawieniami" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Odrzuć bieżące zmiany" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Utwórz profil z bieżących ustawień..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Zarządzaj profilami..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Pokaż dokumentację internetową" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Zgłoś błąd" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Co nowego" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "O..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Usuń model" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Wyśrodkuj model na platformie" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Grupuj modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Rozgrupuj modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Połącz modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Powiel model..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Wybierz wszystkie modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Wyczyść stół" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Przeładuj wszystkie modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Rozłóż Wszystkie Modele na Wszystkie Platformy Robocze" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Ułóż wszystkie modele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Wybór ułożenia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Zresetuj wszystkie pozycje modelu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Zresetuj wszystkie przekształcenia modelu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Otwórz plik(i)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Nowy projekt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Pokaż folder konfiguracji" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Skonfiguruj widoczność ustawień ..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "To ustawienie nie jest używane, ponieważ wszystkie ustawienia, na które wpływa, są nadpisane." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Wpływać" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Pod wpływem" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "To ustawienie jest dzielone pomiędzy wszystkimi ekstruderami. Zmiana tutaj spowoduje zmianę dla wszystkich ekstruderów." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5362,7 +5808,7 @@ msgstr "" "\n" "Kliknij, aby przywrócić wartość z profilu." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5373,506 +5819,92 @@ msgstr "" "\n" "Kliknij, aby przywrócić wartość obliczoną." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Ustawienia wyszukiwania" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Skopiuj wartość do wszystkich ekstruderów" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Skopiuj wszystkie zmienione wartości do wszystkich ekstruderów" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Ukryj tę opcję" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Nie pokazuj tej opcji" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Pozostaw tę opcję widoczną" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Widok 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Widok z przodu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Widok z góry" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Widok z lewej strony" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Widok z prawej strony" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Typ widoku" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"Niektóre ukryte ustawienia używają wartości różniących się od ich normalnej, obliczonej wartości.\n" +"\n" +"Kliknij, aby te ustawienia były widoczne." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" +msgid "This package will be installed after restarting." +msgstr "Ten pakiet zostanie zainstalowany po ponownym uruchomieniu." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ustawienia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instaluj pakiety" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Otwórz plik(i)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Znaleziono jeden lub więcej plików G-code w wybranych plikach. Możesz otwierać tylko jeden plik G-code jednocześnie. Jeśli chcesz otworzyć plik G-code, proszę wybierz tylko jeden." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Producent" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nazwa drukarki" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "Dodaj drukarkę" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Dodaj drukarkę sieciową" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Dodaj drukarkę niesieciową" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Nie znaleziono drukarki w Twojej sieci." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Odśwież" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Dodaj drukarkę przez IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Rozwiązywanie problemów" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Dodaj drukarkę przez IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Dodaj" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Nie można połączyć się z urządzeniem." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "Drukarka pod tym adresem jeszcze nie odpowiedziała." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Ta drukarka nie może zostać dodana, ponieważ jest nieznana lub nie jest hostem grupy." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Wstecz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Połącz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Pomóż nam ulepszyć Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura zbiera anonimowe dane w celu poprawy jakości druku i komfortu użytkownika, w tym:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Typy maszyn" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Zużycie materiału" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Ilość warstw" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Ustawienia druku" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Dane zebrane przez Ultimaker Cura nie będą zawierać żadnych prywatnych danych osobowych." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Więcej informacji" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Pusty" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Umowa z użytkownikiem" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Odrzuć i zamknij" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Witaj w Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Rozpocznij" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" -msgstr "" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Sprawdza możliwe problemy drukowania modeli i konfiguracji wydruku i podaje porady." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Sprawdzacz Modelu" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Zapewnia wsparcie dla czytania plików 3MF." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Czytnik 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Zapewnia wsparcie dla tworzenia plików 3MF." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF Writer" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Zapewnia wsparcie dla czytania plików AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Czytnik AMF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Utwórz kopię zapasową i przywróć konfigurację." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Kopie zapasowe Cura" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Zapewnia połączenie z tnącym zapleczem CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Zaplecze CuraEngine" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Zapewnia wsparcie dla importowania profili Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Czytnik Profili Cura" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Zapewnia wsparcie dla eksportowania profili Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura Profile Writer" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "" - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Sprawdź aktualizacje oprogramowania." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Sprawdzacz Aktualizacji Oprogramowania" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Dostarcza działanie, pozwalające na aktualizację oprogramowania sprzętowego." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Aktualizacja oprogramowania sprzętowego" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Odczytuje g-code ze skompresowanych archiwum." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Czytnik Skompresowanego G-code" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Zapisuje g-code do skompresowanego archiwum." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Zapisywacz Skompresowanego G-code" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Zapewnia wsparcie dla importowania profili z plików g-code." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Czytnik Profili G-code" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Pozwala na ładowanie i wyświetlanie plików G-code." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Czytnik G-code" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Zapisuje g-code do pliku." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Zapisywacz G-code" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Włącza możliwość generowania drukowalnej geometrii z pliku obrazu 2D." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Czytnik Obrazu" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Zapewnia wsparcie dla importowania profili ze starszych wersji Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Czytnik Profili Starszej Cura" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Zapewnia możliwość zmiany ustawień maszyny (takich jak objętość robocza, rozmiar dyszy itp.)." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Zapewnia etap monitorowania w Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Etap Monitorowania" +msgstr "Co nowego" #: PerObjectSettingsTool/plugin.json msgctxt "description" @@ -5884,86 +5916,46 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Narzędzie Ustawień dla Każdego Modelu" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Dodatek, który pozwala użytkownikowi tworzenie skryptów do post processingu" +msgid "Provides support for importing Cura profiles." +msgstr "Zapewnia wsparcie dla importowania profili Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Post Processing" +msgid "Cura Profile Reader" +msgstr "Czytnik Profili Cura" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Zapewnia etap przygotowania w Cura." +msgid "Provides support for reading X3D files." +msgstr "Zapewnia możliwość czytania plików X3D." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Etap Przygotowania" +msgid "X3D Reader" +msgstr "Czytnik X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Dostarcza podgląd w Cura." +msgid "Backup and restore your configuration." +msgstr "Utwórz kopię zapasową i przywróć konfigurację." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Podgląd" +msgid "Cura Backups" +msgstr "Kopie zapasowe Cura" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Zapewnia wsparcie dla podłączania i zapisywania dysków zewnętrznych." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Zapewnia możliwość zmiany ustawień maszyny (takich jak objętość robocza, rozmiar dyszy itp.)." -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Wtyczka Urządzenia Wyjścia Dysku Zewnętrznego" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" +msgid "Machine Settings Action" msgstr "" -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Zapewnia widok Symulacji." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Widok Symulacji" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Zatwierdza anonimowe informację o cięciu. Może być wyłączone w preferencjach." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Informacje o cięciu" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Zapewnia normalny widok siatki." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Widok Bryły" - #: SupportEraser/plugin.json msgctxt "description" msgid "Creates an eraser mesh to block the printing of support in certain places" @@ -5974,35 +5966,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Usuwacz Podpór" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Znajdź, zarządzaj i instaluj nowe pakiety Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Zapewnia wsparcie dla podłączania i zapisywania dysków zewnętrznych." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Narzędzia" +msgid "Removable Drive Output Device Plugin" +msgstr "Wtyczka Urządzenia Wyjścia Dysku Zewnętrznego" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Zapewnia wsparcie dla czytania plików modeli." +msgid "Provides a machine actions for updating firmware." +msgstr "Dostarcza działanie, pozwalające na aktualizację oprogramowania sprzętowego." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Czytnik siatki trójkątów" +msgid "Firmware Updater" +msgstr "Aktualizacja oprogramowania sprzętowego" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Zapewnia obsługę odczytu pakietów formatu Ultimaker." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Zapewnia wsparcie dla importowania profili ze starszych wersji Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Czytnik UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Czytnik Profili Starszej Cura" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Zapewnia wsparcie dla czytania plików 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Czytnik 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -6014,25 +6016,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Zapisywacz UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Zapewnia czynności maszyny dla urządzeń Ultimaker (na przykład kreator poziomowania stołu, wybór ulepszeń itp.)." +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Czynności maszyny Ultimaker" +msgid "Sentry Logger" +msgstr "" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Zarządza połączeniami z sieciowymi drukarkami Ultimaker." +msgid "Provides support for importing profiles from g-code files." +msgstr "Zapewnia wsparcie dla importowania profili z plików g-code." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Połączenie sieciowe Ultimaker" +msgid "G-code Profile Reader" +msgstr "Czytnik Profili G-code" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Dostarcza podgląd w Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Podgląd" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Zapewnia widok rentgena." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Widok Rentgena" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Zapewnia połączenie z tnącym zapleczem CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Zaplecze CuraEngine" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Zapewnia wsparcie dla czytania plików AMF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Czytnik AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Odczytuje g-code ze skompresowanych archiwum." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Czytnik Skompresowanego G-code" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Dodatek, który pozwala użytkownikowi tworzenie skryptów do post processingu" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Post Processing" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Zapewnia wsparcie dla eksportowania profili Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura Profile Writer" #: USBPrinting/plugin.json msgctxt "description" @@ -6044,25 +6116,135 @@ msgctxt "name" msgid "USB printing" msgstr "Drukowanie USB" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Ulepsza konfigurację z Cura 2.1 do Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Zapewnia etap przygotowania w Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Ulepszenie Wersji z 2.1 do 2.2" +msgid "Prepare Stage" +msgstr "Etap Przygotowania" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Ulepsza konfigurację z Cura 2.2 do Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Pozwala na ładowanie i wyświetlanie plików G-code." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Ulepszenie Wersji z 2.2 do 2.4" +msgid "G-code Reader" +msgstr "Czytnik G-code" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Włącza możliwość generowania drukowalnej geometrii z pliku obrazu 2D." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Czytnik Obrazu" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Zapewnia czynności maszyny dla urządzeń Ultimaker (na przykład kreator poziomowania stołu, wybór ulepszeń itp.)." + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Czynności maszyny Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Zapisuje g-code do skompresowanego archiwum." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Zapisywacz Skompresowanego G-code" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Sprawdź aktualizacje oprogramowania." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Sprawdzacz Aktualizacji Oprogramowania" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Zatwierdza anonimowe informację o cięciu. Może być wyłączone w preferencjach." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Informacje o cięciu" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Zapewnia możliwość czytania i tworzenia profili materiałów opartych o XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Profile Materiału" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Znajdź, zarządzaj i instaluj nowe pakiety Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Narzędzia" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Zapisuje g-code do pliku." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Zapisywacz G-code" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Zapewnia widok Symulacji." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Widok Symulacji" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6074,55 +6256,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Ulepszenie Wersji z 2.5 do 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Ulepsza konfigurację z Cura 2.6 do Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Ulepszenie Wersji z 2.6 do 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Ulepsza konfigurację z Cura 2.7 do Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Ulepszenie Wersji 2.7 do 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Ulepsza konfigurację z Cura 3.0 do Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Ulepszenie Wersji 3.0 do 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Ulepsza konfigurację z Cura 3.2 do Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Ulepszenie Wersji z 3.2 do 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Ulepsza konfigurację z Cura 3.3 do Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Ulepszenie Wersji z 3.3 do 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6134,45 +6286,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Ulepszenie Wersji z 3.4 do 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Uaktualnia konfiguracje z Cura 3.5 to Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Ulepsza konfigurację z Cura 2.1 do Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Uaktualnij wersję 3.5 do 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Ulepszenie Wersji z 2.1 do 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Uaktualnia konfiguracje z Cura 4.0 to Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Ulepsza konfigurację z Cura 3.2 do Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Uaktualnij wersję 4.0 do 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Ulepszenie Wersji z 3.2 do 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." msgstr "" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" +msgid "Version Upgrade 4.8 to 4.9" msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Uaktualnia konfiguracje z Cura 4.1 to Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Uaktualnij wersję 4.1 do 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6194,66 +6346,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Uaktualnij wersję 4.3 do 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6264,35 +6356,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Zapewnia możliwość czytania plików X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Ulepsza konfigurację z Cura 2.7 do Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Czytnik X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Ulepszenie Wersji 2.7 do 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Zapewnia możliwość czytania i tworzenia profili materiałów opartych o XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Ulepsza konfigurację z Cura 2.6 do Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Profile Materiału" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Ulepszenie Wersji z 2.6 do 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Zapewnia widok rentgena." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Widok Rentgena" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Ulepsza konfigurację z Cura 3.3 do Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Ulepszenie Wersji z 3.3 do 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Ulepsza konfigurację z Cura 3.0 do Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Ulepszenie Wersji 3.0 do 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Uaktualnia konfiguracje z Cura 4.0 to Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Uaktualnij wersję 4.0 do 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Ulepsza konfigurację z Cura 2.2 do Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Ulepszenie Wersji z 2.2 do 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Uaktualnia konfiguracje z Cura 4.1 to Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Uaktualnij wersję 4.1 do 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Uaktualnia konfiguracje z Cura 3.5 to Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Uaktualnij wersję 3.5 do 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Zarządza połączeniami z sieciowymi drukarkami Ultimaker." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Połączenie sieciowe Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Zapewnia wsparcie dla czytania plików modeli." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Czytnik siatki trójkątów" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Zapewnia obsługę odczytu pakietów formatu Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Czytnik UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Zapewnia normalny widok siatki." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Widok Bryły" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Zapewnia wsparcie dla tworzenia plików 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF Writer" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Zapewnia etap monitorowania w Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Etap Monitorowania" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Sprawdza możliwe problemy drukowania modeli i konfiguracji wydruku i podaje porady." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Sprawdzacz Modelu" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/pl_PL/fdmextruder.def.json.po b/resources/i18n/pl_PL/fdmextruder.def.json.po index 19650e6c4b..c9a1cb944b 100644 --- a/resources/i18n/pl_PL/fdmextruder.def.json.po +++ b/resources/i18n/pl_PL/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2019-03-13 14:00+0200\n" "Last-Translator: Mariusz 'Virgin71' Matłosz \n" "Language-Team: reprapy.pl\n" diff --git a/resources/i18n/pl_PL/fdmprinter.def.json.po b/resources/i18n/pl_PL/fdmprinter.def.json.po index 0b603fc59b..bfe7723308 100644 --- a/resources/i18n/pl_PL/fdmprinter.def.json.po +++ b/resources/i18n/pl_PL/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2019-11-15 15:34+0100\n" "Last-Translator: Mariusz Matłosz \n" "Language-Team: Mariusz Matłosz , reprapy.pl\n" @@ -154,6 +154,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Głębokość (w kierunku Y) obszaru drukowania." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Wysokość Maszyny" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Wysokość (w kierunku Z) obszaru drukowania." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -194,16 +204,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Aluminium" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Wysokość Maszyny" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Wysokość (w kierunku Z) obszaru drukowania." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -561,8 +561,8 @@ msgstr "Maksymalna prędkość silnika osi Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Maksymalna Prędk. Posuwu" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1731,7 +1731,7 @@ msgstr "Wzorzec Wypełnienia" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." msgstr "" #: fdmprinter.def.json @@ -2045,7 +2045,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." msgstr "" #: fdmprinter.def.json @@ -2055,7 +2055,7 @@ msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." msgstr "" #: fdmprinter.def.json @@ -6481,6 +6481,10 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Forma przesunięcia, która ma być zastosowana do modelu podczas ładowania z pliku." +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Maksymalna Prędk. Posuwu" + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Wzorzec wypełnienia wydruku. Kierunek zamiany linii i zygzaka na alternatywnych warstwach, zmniejsza koszty materiałów. Wzorzec siatki, trójkąta, sześcianu, oktetu, ćwiartki sześciennej, krzyżyka i koncentryczny, są w pełni drukowane na każdej warstwie. Gyroid, sześcian, świartka sześcienna i oktet zmienia się z każdą warstwą, aby zapewnić bardziej równomierny rozkład sił w każdym kierunku." diff --git a/resources/i18n/pt_BR/cura.po b/resources/i18n/pt_BR/cura.po index f4a4b08ae1..0c78d5fb6e 100644 --- a/resources/i18n/pt_BR/cura.po +++ b/resources/i18n/pt_BR/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-11-04 08:04+0100\n" "Last-Translator: Cláudio Sampaio \n" "Language-Team: Cláudio Sampaio \n" @@ -17,190 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n > 1);\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Desconhecido" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Não pude criar arquivo do diretório de dados de usuário: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "As impressoras abaixo não podem ser conectadas por serem parte de um grupo" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Impressoras de rede disponíveis" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Tentativa de restauração de backup do Cura sem dados ou metadados apropriados." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Não sobreposto" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Tentativa de restauração de backup do Cura de versão maior que a atual." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "O seguinte erro ocorreu ao tentar restaurar um backup do Cura:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Por favor sincronize os perfis de material com suas impressoras antes de começar a imprimir." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Novos materiais instalados" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Sincronizar materiais com impressoras" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Saiba mais" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Não foi possível salvar o arquivo de materiais para {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Falha em salvar o arquivo de materiais" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "A altura do volume de impressão foi reduzida para que o valor da \"Sequência de Impressão\" impeça o eixo de colidir com os modelos impressos." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume de Impressão" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Tem certeza que deseja remover {0}? Isto não pode ser defeito!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Não sobreposto" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Desconhecido" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "As impressoras abaixo não podem ser conectadas por serem parte de um grupo" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Impressoras de rede disponíveis" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Visual" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "O perfil visual é projetado para imprimir protótipos e modelos virtuais com o objetivo de alta qualidade visual e de superfície." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engenharia" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "O perfil de engenharia é projetado para imprimir protótipos funcionais e partes de uso final com o objetivo de melhor precisão e tolerâncias mais estritas." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Rascunho" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "O perfil de rascunho é projetado para imprimir protótipos iniciais e validações de conceito com o objetivo de redução significativa de tempo de impressão." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Por favor sincronize os perfis de material com suas impressoras antes de começar a imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Novos materiais instalados" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Sincronizar materiais com impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Saiba mais" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Material Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Não foi possível salvar o arquivo de materiais para {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Falha em salvar o arquivo de materiais" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Perfis personalizados" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Todos Os Tipos Suportados ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Todos Os Arquivos (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Visual" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "O perfil visual é projetado para imprimir protótipos e modelos virtuais com o objetivo de alta qualidade visual e de superfície." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engenharia" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "O perfil de engenharia é projetado para imprimir protótipos funcionais e partes de uso final com o objetivo de melhor precisão e tolerâncias mais estritas." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Rascunho" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "O perfil de rascunho é projetado para imprimir protótipos iniciais e validações de conceito com o objetivo de redução significativa de tempo de impressão." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Material Personalizado" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Login falhou" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Achando novos lugares para objetos" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Buscando Localização" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Não foi possível achar um lugar dentro do volume de construção para todos os objetos" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Não Foi Encontrada Localização" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Não pude criar arquivo do diretório de dados de usuário: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Tentativa de restauração de backup do Cura sem dados ou metadados apropriados." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Tentativa de restauração de backup do Cura de versão maior que a atual." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "O seguinte erro ocorreu ao tentar restaurar um backup do Cura:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Carregando máquinas..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Ajustando preferências..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Inicializando Máquina Ativa..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Inicializando gestor de máquinas..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Inicializando volume de impressão..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Configurando cena..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Carregando interface..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Inicializando motor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "A altura do volume de impressão foi reduzida para que o valor da \"Sequência de Impressão\" impeça o eixo de colidir com os modelos impressos." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Somente um arquivo G-Code pode ser carregado por vez. Pulando importação de {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume de Impressão" +msgid "Warning" +msgstr "Aviso" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Não é possível abrir nenhum outro arquivo se G-Code estiver sendo carregado. Pulando importação de {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Erro" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Pular" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Fechar" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Próximo" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Finalizar" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Adicionar" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Grupo #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Parede Externa" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Paredes Internas" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Contorno" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Preenchimento" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Preenchimento de Suporte" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Interface de Suporte" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Suporte" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Skirt (Saia)" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Torre de Prime" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Percurso" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Retrações" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Outros" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "As notas de lançamento não puderam ser abertas." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "O Cura não consegue iniciar" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -215,32 +474,32 @@ msgstr "" "

    Por favor nos envie este Relatório de Falha para consertar o problema.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Enviar relatório de falha à Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Exibir relatório de falha detalhado" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostrar a pasta de configuração" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Salvar e Restabelecer Configuração" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Relatório de Problema" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -251,667 +510,641 @@ msgstr "" "

    Por favor use o botão \"Enviar relatório\" para publicar um relatório de erro automaticamente em nossos servidores

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informação do Sistema" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Desconhecida" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versão do Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Linguagem do Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Linguagem do SO" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plataforma" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versão do Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versão do PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Ainda não inicializado
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versão da OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Fornecedor da OpenGL: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Renderizador da OpenGL: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Traceback do erro" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Registros" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Enviar relatório" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Carregando máquinas..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Ajustando preferências..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Inicializando Máquina Ativa..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Inicializando gestor de máquinas..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Inicializando volume de impressão..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Configurando cena..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Carregando interface..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Inicializando motor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Somente um arquivo G-Code pode ser carregado por vez. Pulando importação de {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Aviso" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Não é possível abrir nenhum outro arquivo se G-Code estiver sendo carregado. Pulando importação de {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Erro" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplicando e colocando objetos" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Colocando Objetos" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Colocando Objeto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Não foi possível ler a resposta." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "O estado provido não está correto." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Por favor dê as permissões requeridas ao autorizar esta aplicação." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Algo inesperado aconteceu ao tentar login, por favor tente novamente." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Não foi possível iniciar processo de sign-in. Verifique se outra tentativa de sign-in ainda está ativa." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Não foi possível contactar o servidor de contas da Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "O estado provido não está correto." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Por favor dê as permissões requeridas ao autorizar esta aplicação." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Algo inesperado aconteceu ao tentar login, por favor tente novamente." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Não foi possível ler a resposta." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplicando e colocando objetos" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Colocando Objetos" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Colocando Objeto" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Não Suportado" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Bico" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Os ajustes foram alterados para seguir a disponibilidade de extrusores atuais:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Ajustes atualizados" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extrusor(es) Desabilitado(s)" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "O Arquivo Já Existe" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "O arquivo {0} já existe. Tem certeza que quer sobrescrevê-lo?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL de arquivo inválida:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Falha ao exportar perfil para {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Falha ao exportar perfil para {0}: complemento escritor relatou erro." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Perfil exportado para {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Exportação concluída" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Falha ao importar perfil de {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Não foi possível importar perfil de {0} antes de uma impressora ser adicionada." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Não há perfil personalizado a importar no arquivo {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Erro ao importar perfil de {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Este perfil {0} contém dados incorretos, não foi possível importá-lo." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Erro ao importar perfil de {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Perfil {0} importado com sucesso." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Arquivo {0} não contém nenhum perfil válido." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "O Perfil {0} tem tipo de arquivo desconhecido ou está corrompido." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Perfil personalizado" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Falta um tipo de qualidade ao Perfil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Não há impressora ativa ainda." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Não foi possível adicionar o perfil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Tipo de qualidade '{0}' não é compatível com a definição de máquina ativa atual '{1}'." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Alerta: o perfil não está visível porque seu tipo de qualidade '{0}' não está disponível para a configuração atual. Altere para uma combinação de material/bico que possa usar este tipo de qualidade." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Não Suportado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Bico" +msgid "Per Model Settings" +msgstr "Ajustes por Modelo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Os ajustes foram alterados para seguir a disponibilidade de extrusores atuais:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Configurar ajustes por Modelo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Perfil do Cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "Arquivo X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Houve um erro ao tentar restaurar seu backup." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ajustes atualizados" +msgid "Backups" +msgstr "Backups" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrusor(es) Desabilitado(s)" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Houve um erro ao transferir seu backup." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Adicionar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Criando seu backup..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Finalizar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Houve um erro ao criar seu backup." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Cancelar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Enviando seu backup..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Seu backup terminou de ser enviado." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "O backup excede o tamanho máximo de arquivo." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Gerenciar backups" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Ajustes da Máquina" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Bloqueador de Suporte" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Cria um volume em que os suportes não são impressos." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Unidade Removível" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Salvar em Unidade Removível" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Grupo #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Salvar em Unidade Removível {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Parede Externa" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Não há formatos de arquivo disponíveis com os quais escrever!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Paredes Internas" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Salvando na Unidade Removível {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Contorno" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Preenchimento" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Preenchimento de Suporte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Interface de Suporte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Suporte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Skirt (Saia)" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Torre de Prime" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Percurso" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Retrações" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Outros" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "As notas de lançamento não puderam ser abertas." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Próximo" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Pular" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Fechar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistente de Modelo 3D" +msgid "Saving" +msgstr "Salvando" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Não foi possível salvar em {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Não foi possível encontrar nome de arquivo ao tentar escrever em {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Um ou mais modelos 3D podem não ser impressos otimamente devido ao tamanho e configuração de material:

    \n" -"

    {model_names}

    \n" -"

    Descubra como assegurar a melhor qualidade de impressão e confiabilidade possível.

    \n" -"

    Ver guia de qualidade de impressão

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Não foi possível salvar em unidade removível {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Salvo em Unidade Removível {0} como {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Arquivo Salvo" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Ejetar" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Ejetar dispositivo removível {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "{0} ejetado. A unidade agora pode ser removida de forma segura." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Remover Hardware com Segurança" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Erro ao ejetar {0}. Outro programa pode estar usando a unidade." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Atualizar Firmware" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Perfis do Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Recomendado" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "O arquivo de projeto {0} contém um tipo de máquina desconhecido {1}. Não foi possível importar a máquina. Os modelos serão importados ao invés dela." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Abrir Arquivo de Projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "O arquivo de projeto {0} tornou-se subitamente inacessível: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Não Foi Possível Abrir o Arquivo de Projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Arquivo de projeto {0} está corrompido: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "O arquivo de projeto {0} foi feito usando perfis que são desconhecidos para esta versão do Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recomendado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "Arquivo 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "O complemento de Escrita 3MF está corrompido." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Não foi possível escrever no arquivo UFP:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Sem permissão para gravar o espaço de trabalho aqui." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "O sistema operacional não permite salvar um arquivo de projeto nesta localização ou com este nome de arquivo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Erro ao escrever arquivo 3mf." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Arquivo 3MF" +msgid "Ultimaker Format Package" +msgstr "Pacote de Formato da Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Arquivo de Projeto 3MF do Cura" +msgid "G-code File" +msgstr "Arquivo G-Code" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Arquivo AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Backups" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Houve um erro ao transferir seu backup." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Criando seu backup..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Houve um erro ao criar seu backup." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Enviando seu backup..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Seu backup terminou de ser enviado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "O backup excede o tamanho máximo de arquivo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Houve um erro ao tentar restaurar seu backup." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gerenciar backups" +msgid "Preview" +msgstr "Pré-visualização" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Visão de Raios-X" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Processando Camadas" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informação" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "O fatiamento falhou com um erro não esperado. Por favor considere relatar um bug em nosso issue tracker." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Fatiamento falhado" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Relatar um bug" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Relatar um bug no issue tracker do Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Não foi possível fatiar com o material atual visto que é incompatível com a máquina ou configuração selecionada." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Não foi possível fatiar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Não foi possível fatiar com os ajustes atuais. Os seguintes ajustes têm erros: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Não foi possível fatiar devido a alguns ajustes por modelo. Os seguintes ajustes têm erros em um dos modelos ou mais: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Não foi possível fatiar porque a torre de purga ou posição de purga são inválidas." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Não foi possível fatiar porque há objetos associados com o Extrusor desabilitado %s." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -924,458 +1157,436 @@ msgstr "" "- Estão associados a um extrusor habilitado\n" "- Não estão todos configurados como malhas de modificação" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Processando Camadas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informação" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Perfil do Cura" +msgid "AMF File" +msgstr "Arquivo AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Arquivo de G-Code Comprimido" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Pós-Processamento" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modificar G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impressão USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimir pela USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Imprimir pela USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Conectado via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Uma impressão USB está em progresso, fechar o Cura interromperá esta impressão. Tem certeza?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Uma impressão ainda está em progresso. O Cura não pode iniciar outra impressão via USB até que a impressão anterior tenha completado." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impressão em Progresso" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Preparar" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Interpretando G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Detalhes do G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Certifique que o g-code é adequado para sua impressora e configuração antes de enviar o arquivo. A representação de g-code pode não ser acurada." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Arquivo G" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Imagem JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Imagem JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Imagem PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Imagem BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Imagem GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivelar mesa" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Selecionar Atualizações" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "O GCodeGzWriter não suporta modo binário." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Não foi possível acessar informação de atualização." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Novos recursos ou consertos de bugs podem estar disponíveis para sua {machine_name}! Se você não o fez ainda, recomenda-se que atualize o firmware de sua impressora para a versão {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Novo firmware estável de %s disponível" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Como atualizar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Atualizar Firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Arquivo de G-Code Comprimido" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "O GCodeGzWriter não suporta modo binário." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Arquivo G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Interpretando G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Detalhes do G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Certifique que o g-code é adequado para sua impressora e configuração antes de enviar o arquivo. A representação de g-code pode não ser acurada." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Arquivo G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "O GCodeWriter não suporta modo binário." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Por favor prepare o G-Code antes de exportar." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Imagem JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Imagem JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Imagem PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Imagem BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Imagem GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Perfis do Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Ajustes da Máquina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Ajustes por Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Configurar ajustes por Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Pós-Processamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modificar G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Preparar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Pré-visualização" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Salvar em Unidade Removível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Salvar em Unidade Removível {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Não há formatos de arquivo disponíveis com os quais escrever!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Salvando na Unidade Removível {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Salvando" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Não foi possível salvar em {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Não foi possível encontrar nome de arquivo ao tentar escrever em {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Não foi possível salvar em unidade removível {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Salvo em Unidade Removível {0} como {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Arquivo Salvo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Ejetar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Ejetar dispositivo removível {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0} ejetado. A unidade agora pode ser removida de forma segura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Remover Hardware com Segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Erro ao ejetar {0}. Outro programa pode estar usando a unidade." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Unidade Removível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "O Cura não exibe camadas de forma precisa quando Impressão em Arame está habilitada." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Visão Simulada" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Nada está exibido porque você precisa fatiar primeiro." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Não há camadas a exibir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Não mostrar essa mensagem novamente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Visão de Camadas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Não foi possível ler o arquivo de dados de exemplo." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "As áreas ressaltadas indicam superfícies faltantes ou incorretas. Conserte seu modelo e o abra novamente no Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Erros de Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Visão sólida" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Bloqueador de Suporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Cria um volume em que os suportes não são impressos." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Você quer sincronizar os pacotes de material e software com sua conta?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Alterações detectadas de sua conta Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Sincronizando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Recusar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Concordar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Acordo de Licença do Complemento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Recusar e remover da conta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Você precisa sair e reiniciar {} para que as alterações tenham efeito." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Sincronizando..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Alterações detectadas de sua conta Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Você quer sincronizar os pacotes de material e software com sua conta?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Sincronizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Recusar e remover da conta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "{} complementos falharam em baixar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Recusar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Concordar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Acordo de Licença do Complemento" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "O GCodeWriter não suporta modo binário." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Por favor prepare o G-Code antes de exportar." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "O Cura não exibe camadas de forma precisa quando Impressão em Arame está habilitada." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Visão Simulada" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Nada está exibido porque você precisa fatiar primeiro." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Não há camadas a exibir" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Não mostrar essa mensagem novamente" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "Câmbio de Ativos Digitais COLLADA" +msgid "Layer view" +msgstr "Visão de Camadas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "Binário glTF" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Imprimir pela rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embutido JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Imprime pela rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Formato de Triângulos de Stanford" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Conectado pela rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Câmbio de Ativos Digitais COLLADA Comprimido" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "amanhã" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Pacote de Formato da Ultimaker" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "hoje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Não foi possível escrever no arquivo UFP:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Nivelar mesa" +msgid "Connect via Network" +msgstr "Conectar pela rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Por favor espere até que o trabalho atual tenha sido enviado." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Erro de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Trabalho de impressão enviado à impressora com sucesso." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Dados Enviados" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Você está tentando conectar a uma impressora que não está rodando Ultimaker Connect. Por favor atualiza a impressora para o firmware mais recente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Atualize sua impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "A fila de trabalhos de impressão está cheia. A impressora não pode aceitar novo trabalho." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Fila Cheia" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Enviando Trabalho de Impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Transferindo trabalho de impressão para a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "O Cura detectou perfis de material que não estão instalados ainda na impressora host do grupo {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Enviando material para a impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Não foi possível transferir os dados para a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Erro de rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Você está tentando conectar a {0} mas ele não é host de um grupo. Você pode visitar a página web para configurá-lo como host de grupo." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Não é host de grupo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Selecionar Atualizações" +msgid "Configure group" +msgstr "Configurar grupo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Sua impressora {printer_name} poderia estar conectada via nuvem.\n" +" Gerencie sua fila de impressão e monitore suas impressoras de qualquer lugar conectando sua impressora à Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Você está pronto para a impressão de nuvem?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Começar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Saiba mais" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Imprimir pela nuvem" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Imprimir pela nuvem" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Conectado pela nuvem" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Monitorar impressão" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Rastrear a impressão na Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Código de erro desconhecido ao transferir trabalho de impressão: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Nova impressora detectada na sua conta Ultimaker" msgstr[1] "Novas impressoras detectadas na sua conta Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Adicionando impressora {name} ({model}) da sua conta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1383,70 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... e {0} outra" msgstr[1] "... e {0} outras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Impressoras adicionadas da Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Conexão de nuvem não está disponível para uma impressora" msgstr[1] "Conexão de nuvem não está disponível para algumas impressoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Esta impressora não está ligada à Digital Factory:" msgstr[1] "Estas impressoras não estão ligadas à Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Para estabelecer uma conexão, por favor visite o {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Manter configurações da impressora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Remover impressoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} será removida até a próxima sincronização de conta." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Para remover {printer_name} permanentemente, visite {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Tem certeza que quer remover {printer_name} temporariamente?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Remover impressoras?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1462,7 +1674,7 @@ msgstr[1] "" "Você está prestes a remover {0} impressoras do Cura. Esta ação não pode ser desfeita.\n" "Tem certeza que quer continuar?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1471,748 +1683,1638 @@ msgstr "" "Você está prestes a remover todas as impressoras do Cura. Esta ação não pode ser desfeita.\n" "Tem certeza que quer continuar?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "Câmbio de Ativos Digitais COLLADA" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "Binário glTF" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embutido JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Formato de Triângulos de Stanford" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Câmbio de Ativos Digitais COLLADA Comprimido" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "As áreas ressaltadas indicam superfícies faltantes ou incorretas. Conserte seu modelo e o abra novamente no Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Erros de Modelo" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Visão sólida" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Erro ao escrever arquivo 3mf." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "O complemento de Escrita 3MF está corrompido." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Sem permissão para gravar o espaço de trabalho aqui." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "O sistema operacional não permite salvar um arquivo de projeto nesta localização ou com este nome de arquivo." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Arquivo 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Arquivo de Projeto 3MF do Cura" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Monitor" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Assistente de Modelo 3D" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " msgstr "" -"Sua impressora {printer_name} poderia estar conectada via nuvem.\n" -" Gerencie sua fila de impressão e monitore suas impressoras de qualquer lugar conectando sua impressora à Digital Factory" +"

    Um ou mais modelos 3D podem não ser impressos otimamente devido ao tamanho e configuração de material:

    \n" +"

    {model_names}

    \n" +"

    Descubra como assegurar a melhor qualidade de impressão e confiabilidade possível.

    \n" +"

    Ver guia de qualidade de impressão

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Você está pronto para a impressão de nuvem?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Começar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Saiba mais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Você está tentando conectar a uma impressora que não está rodando Ultimaker Connect. Por favor atualiza a impressora para o firmware mais recente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Atualize sua impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "O Cura detectou perfis de material que não estão instalados ainda na impressora host do grupo {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Enviando material para a impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Você está tentando conectar a {0} mas ele não é host de um grupo. Você pode visitar a página web para configurá-lo como host de grupo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Não é host de grupo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurar grupo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Por favor espere até que o trabalho atual tenha sido enviado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Erro de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Não foi possível transferir os dados para a impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Erro de rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Enviando Trabalho de Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Transferindo trabalho de impressão para a impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "A fila de trabalhos de impressão está cheia. A impressora não pode aceitar novo trabalho." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Fila Cheia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Trabalho de impressão enviado à impressora com sucesso." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Dados Enviados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Imprimir pela rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Imprime pela rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Conectado pela rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Conectar pela rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "amanhã" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "hoje" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impressão USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimir pela USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimir pela USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Conectado via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Uma impressão USB está em progresso, fechar o Cura interromperá esta impressão. Tem certeza?" +msgid "Mesh Type" +msgstr "Tipo de Malha" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Uma impressão ainda está em progresso. O Cura não pode iniciar outra impressão via USB até que a impressão anterior tenha completado." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Modelo normal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impressão em Progresso" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Imprimir como suporte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Modificar ajustes para sobreposições" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Não suportar sobreposições" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Arquivo X3D" +msgid "Infill mesh only" +msgstr "Somente malha de preenchimento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Visão de Raios-X" +msgid "Cutting mesh" +msgstr "Malha de corte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Algumas coisas podem ser problemáticas nesta impressão. Clique para ver dicas de correção." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Selecionar ajustes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Selecionar Ajustes a Personalizar para este modelo" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrar..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Exibir tudo" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Backups do Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Versão do Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Máquinas" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materiais" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Perfis" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Complementos" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Quer mais?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Backup Agora" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Auto Backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Criar um backup automaticamente toda vez que o Cura iniciar." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Restaurar" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Apagar o Backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Você tem certeza que deseja apagar este backup? Isto não pode ser desfeito." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurar Backup" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Você precisará reiniciar o Cura antes que seu backup seja restaurado. Deseja fechar o Cura agora?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Fazer backup e sincronizar os ajustes do Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Entrar" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Meus backups" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Você não tem nenhum backup atualmente. Use o botão 'Backup Agora' para criar um." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Durante a fase de pré-visualização, você estará limitado a 5 backups visíveis. Remova um backup para ver os mais antigos." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Ajustes de Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (largura)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profundidade)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Altura)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma da plataforma de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origem no centro" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Mesa aquecida" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume de construção aquecido" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Sabor de G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Ajustes da Cabeça de Impressão" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X mín" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y mín" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X máx" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y máx" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altura do Eixo" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Número de Extrusores" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplicar deslocamentos de Extrusão ao G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-Code Inicial" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-Code Final" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Ajustes do Bico" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Tamanho do bico" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Diâmetro de material compatível" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Deslocamento X do Bico" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Deslocamento Y do Bico" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Número da Ventoinha de Resfriamento" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "G-Code Inicial do Extrusor" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "G-Code Final do Extrusor" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Atualizar Firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "O firmware é o software rodando diretamente no maquinário de sua impressora 3D. Este firmware controla os motores de passo, regula a temperatura e é o que faz a sua impressora funcionar." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "O firmware que já vêm embutido nas novas impressoras funciona, mas novas versões costumam ter mais recursos, correções e melhorias." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Automaticamente atualizar Firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Carregar Firmware personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "O firmware não pode ser atualizado porque não há conexão com a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "O firmware não pode ser atualizado porque a conexão com a impressora não suporta atualização de firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Selecionar firmware personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Atualização do Firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Atualizando firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Atualização do Firmware completada." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "A atualização de Firmware falhou devido a um erro desconhecido." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "A atualização de firmware falhou devido a um erro de comunicação." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "A atualização de firmware falhou devido a um erro de entrada e saída." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "A atualização de firmware falhou devido a firmware não encontrado." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Abrir Projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Atualizar existentes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Criar novos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Resumo - Projeto do Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Ajustes da impressora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Como o conflito na máquina deve ser resolvido?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupo de Impressora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Ajustes de perfil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Como o conflito no perfil deve ser resolvido?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nome" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Objetivo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Ausente no perfil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 sobreposto" msgstr[1] "%1 sobrepostos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivado de" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 sobreposição" msgstr[1] "%1, %2 sobreposições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Ajustes de material" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Como o conflito no material deve ser resolvido?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilidade dos ajustes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Ajustes visíveis:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 de %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Carregar um projeto limpará todos os modelos da mesa de impressão." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Abrir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Quer mais?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Backup Agora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Auto Backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Criar um backup automaticamente toda vez que o Cura iniciar." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Apagar o Backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Você tem certeza que deseja apagar este backup? Isto não pode ser desfeito." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurar Backup" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Você precisará reiniciar o Cura antes que seu backup seja restaurado. Deseja fechar o Cura agora?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versão do Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Máquinas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Perfis" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Complementos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Backups do Cura" +msgid "Post Processing Plugin" +msgstr "Complemento de Pós-Processamento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Meus backups" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Você não tem nenhum backup atualmente. Use o botão 'Backup Agora' para criar um." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Durante a fase de pré-visualização, você estará limitado a 5 backups visíveis. Remova um backup para ver os mais antigos." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Fazer backup e sincronizar os ajustes do Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Entrar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Atualizar Firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "O firmware é o software rodando diretamente no maquinário de sua impressora 3D. Este firmware controla os motores de passo, regula a temperatura e é o que faz a sua impressora funcionar." +msgid "Post Processing Scripts" +msgstr "Scripts de Pós-Processamento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Adicionar um script" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "O firmware que já vêm embutido nas novas impressoras funciona, mas novas versões costumam ter mais recursos, correções e melhorias." +msgid "Settings" +msgstr "Ajustes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Automaticamente atualizar Firmware" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Alterar scripts de pós-processamento ativos." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Carregar Firmware personalizado" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "O seguinte script está ativo:" +msgstr[1] "Os seguintes scripts estão ativos:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "O firmware não pode ser atualizado porque não há conexão com a impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "O firmware não pode ser atualizado porque a conexão com a impressora não suporta atualização de firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Selecionar firmware personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Atualização do Firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Atualizando firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Atualização do Firmware completada." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "A atualização de Firmware falhou devido a um erro desconhecido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "A atualização de firmware falhou devido a um erro de comunicação." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "A atualização de firmware falhou devido a um erro de entrada e saída." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "A atualização de firmware falhou devido a firmware não encontrado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Converter imagem..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "A distância máxima de cada pixel da \"Base\"." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Altura (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "A altura-base da mesa de impressão em milímetros." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Base (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "A largura da mesa de impressão em milímetros." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Largura (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "A profundidade da mesa de impressão em milímetros" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Profundidade (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Para litofanos, pixels escuros devem corresponder a locais mais espessos para conseguir bloquear mais luz. Para mapas de altura, pixels mais claros significam terreno mais alto, portanto tais pixels devem corresponder a locais mais espessos no modelo 3d gerado." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Mais escuro é mais alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Mais claro é mais alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Para litofanos, um modelo logarítmico simples para translucidez está disponível. Para mapas de altura os valores de pixels correspondem a alturas, linearmente." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Linear" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Translucidez" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "A porcentagem de luz penetrando uma impressão com espessura de 1 milímetro. Abaixar este valor aumenta o contraste em regiões escuras e diminui o contraste em regiões claras da imagem." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "Transmitância de 1mm (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "A quantidade de suavização para aplicar na imagem." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Suavização" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "Ok" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Por favor selecionar quaisquer atualizações feitas nesta Ultimaker Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Mesa de Impressão Aquecida (kit Oficial ou auto-construído)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Nivelamento da mesa de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Para garantir que suas impressões saiam ótimas, você deve agora ajustar sua mesa de impressão. Quando você clicar em 'Mover para a Posição Seguinte', o bico se moverá para posições diferentes que podem ser ajustadas." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Para cada posição; insira um pedaço de papel abaixo do bico e ajuste a altura da mesa de impressão. A altura da mesa de impressão está adequada quando o papel for levemente pressionado pela ponta do bico." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Iniciar Nivelamento da Mesa de Impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Mover pra a Posição Seguinte" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Mais informações em coleção anônima de dados" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "O Ultimaker Cura coleta dados anônimos para poder aprimorar a qualidade de impressão e experiência do usuário. Abaixo segue um exemplo de todos os dados que são compartilhados:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Recusar enviar dados anônimos" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Permitir enviar dados anônimos" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Mercado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Você precisará reiniciar o Cura para que as alterações tenham efeito." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Sair de %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Instalar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Instalado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ir ao Mercado Web" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Buscar materiais" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Compatibilidade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Máquina" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Plataforma de Impressão" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Suporte" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Qualidade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Documento de Dados Técnicos" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Documento de Dados de Segurança" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Diretrizes de Impressão" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Sítio Web" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Entrar na conta é necessário para instalar ou atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Comprar rolos de material" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Atualizando" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Atualizado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Voltar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Impressora" +msgid "Plugins" +msgstr "Complementos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Ajustes do Bico" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiais" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Instalado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Tamanho do bico" +msgid "Will install upon restarting" +msgstr "Será instalado ao reiniciar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Entrar na conta é necessário para atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Downgrade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Desinstalar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Contribuições da Comunidade" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diâmetro de material compatível" +msgid "Community Plugins" +msgstr "Complementos da Comunidade" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Deslocamento X do Bico" +msgid "Generic Materials" +msgstr "Materiais Genéricos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Obtendo pacotes..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Deslocamento Y do Bico" +msgid "Website" +msgstr "Sítio Web" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Número da Ventoinha de Resfriamento" +msgid "Email" +msgstr "Email" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "G-Code Inicial do Extrusor" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Por favor se logue para adquirir complementos e materiais verificados para o Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "G-Code Final do Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Ajustes de Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (largura)" +msgid "Version" +msgstr "Versão" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profundidade)" +msgid "Last updated" +msgstr "Última atualização" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Altura)" +msgid "Brand" +msgstr "Marca" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma da plataforma de impressão" +msgid "Downloads" +msgstr "Downloads" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Complementos instalados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Nenhum complemento foi instalado." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiais instalados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Nenhum material foi instalado." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Complementos empacotados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Materiais empacotados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Não foi possível conectar-se à base de dados de Pacotes do Cura. Por favor verifique sua conexão." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Origem no centro" +msgid "You need to accept the license to install the package" +msgstr "Você precisa aceitar a licença para que o pacote possa ser instalado" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Alterações da sua conta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Dispensar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Próximo" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Mesa aquecida" +msgid "The following packages will be added:" +msgstr "Os seguintes pacotes serão adicionados:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume de construção aquecido" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Os seguintes pacotes não podem ser instalados por incompatibilidade de versão do Cura:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Confirme a desinstalação" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Você está desinstalando material e/ou perfis que ainda estão em uso. Confirmar irá restaurar os materiais e perfis seguintes a seus defaults." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materiais" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Perfis" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Confirmar" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Sabor de G-Code" +msgid "Color scheme" +msgstr "Esquema de Cores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Ajustes da Cabeça de Impressão" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Cor do Material" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Tipo de Linha" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Velocidade" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Espessura de Camada" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Largura de Extrusão" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Fluxo" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X mín" +msgid "Compatibility Mode" +msgstr "Modo de Compatibilidade" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y mín" +msgid "Travels" +msgstr "Percursos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X máx" +msgid "Helpers" +msgstr "Assistentes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y máx" +msgid "Shell" +msgstr "Perímetro" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Altura do Eixo" +msgid "Infill" +msgstr "Preenchimento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Número de Extrusores" +msgid "Starts" +msgstr "Inícios" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplicar deslocamentos de Extrusão ao G-Code" +msgid "Only Show Top Layers" +msgstr "Somente Exibir Camadas Superiores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-Code Inicial" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Exibir 5 Camadas Superiores Detalhadas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-Code Final" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Topo / Base" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Parede Interna" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "mín" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "máx" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Gerir Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Vidro" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Por favor atualize o firmware de sua impressora parar gerir a fila remotamente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Fontes de webcam para impressoras de nuvem não podem ser vistas pelo Ultimaker Cura. Clique em \"Gerenciar impressora\" para visitar a Ultimaker Digital Factory e visualizar esta webcam." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Carregando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Indisponível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Inacessivel" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Ocioso" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Preparando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Imprimindo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Sem Título" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anônimo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Requer mudanças na configuração" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Detalhes" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Impressora indisponível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Primeira disponível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Enfileirados" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Gerir no navegador" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Não há trabalhos de impressão na fila. Fatie e envie um trabalho para adicioná-lo." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Trabalhos de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Tempo total de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Esperando por" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimir pela rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimir" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Seleção de impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Alterações de Configuração" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Sobrepor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "A impressora associada, %1, requer a seguinte alteração de configuração:" +msgstr[1] "A impressora associada, %1, requer as seguintes alterações de configuração:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "A impressora %1 está associada, mas o trabalho contém configuração de material desconhecida." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Alterar material %1 de %2 para %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Carregar %3 como material %1 (isto não pode ser sobreposto)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Alterar núcleo de impressão %1 de %2 para %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Alterar mesa de impressão para %1 (Isto não pode ser sobreposto)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Sobrepor irá usar os ajustes especificados com a configuração existente da impressora. Isto pode causar falha da impressão." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Alumínio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Finalizado" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Abortando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Abortado" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Pausando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Pausado" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Continuando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Necessária uma ação" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Termina %1 em %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Conectar a Impressora de Rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Para imprimir diretamente na sua impressora pela rede, certifique-se que ela esteja conectada à rede usando um cabo de rede ou conectando sua impressora à sua WIFI. Se você não conectar Cura à sua impressora, você ainda pode usar um drive USB ou SDCard para transferir arquivos G-Code a ela." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Selecione sua impressora da lista abaixo:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Editar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Remover" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Se sua impressora não está listada, leia o guia de resolução de problemas de impressão em rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Tipo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Versão do firmware" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Endereço" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Esta impressora não está configurada para hospedar um grupo de impressoras." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Esta impressora é a hospedeira de um grupo de %1 impressoras." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "A impressora neste endereço ainda não respondeu." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Conectar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Endereço IP inválido" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Por favor entre um endereço IP válido." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Endereço da Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Entre o endereço IP da sua impressora na rede." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Mover para o topo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Remover" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Continuar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Pausando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Continuando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Pausar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Abortando..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Abortar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Você tem certeza que quer mover %1 para o topo da fila?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Move o trabalho de impressão para o topo da fila" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Você tem certeza que quer remover %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Remover trabalho de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Você tem certeza que quer abortar %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Abortar impressão" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2225,1451 +3327,433 @@ msgstr "" "- Verifique se ela está conectada à rede.\n" "- Verifique se você está logado para descobrir impressoras conectadas à nuvem." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Por favor conecte sua impressora à rede." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Ver manuais de usuário online" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Para monitorar sua impressão pelo Cura, por favor conecte a impressora." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo de Malha" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modelo normal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimir como suporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificar ajustes para sobreposições" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Não suportar sobreposições" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Somente malha de preenchimento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Malha de corte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Selecionar ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Selecionar Ajustes a Personalizar para este modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Exibir tudo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Complemento de Pós-Processamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts de Pós-Processamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Adicionar um script" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Alterar scripts de pós-processamento ativos." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Algumas coisas podem ser problemáticas nesta impressão. Clique para ver dicas de correção." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "O seguinte script está ativo:" -msgstr[1] "Os seguintes scripts estão ativos:" +msgid "3D View" +msgstr "Visão 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Esquema de Cores" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Cor do Material" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Tipo de Linha" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Velocidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Espessura de Camada" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Largura de Extrusão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Fluxo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Modo de Compatibilidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Percursos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Assistentes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Perímetro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Preenchimento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Inícios" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Somente Exibir Camadas Superiores" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Exibir 5 Camadas Superiores Detalhadas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Topo / Base" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Parede Interna" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "mín" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "máx" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Mais informações em coleção anônima de dados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "O Ultimaker Cura coleta dados anônimos para poder aprimorar a qualidade de impressão e experiência do usuário. Abaixo segue um exemplo de todos os dados que são compartilhados:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Recusar enviar dados anônimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Permitir enviar dados anônimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Voltar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Máquina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Plataforma de Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Suporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Documento de Dados Técnicos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Documento de Dados de Segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Diretrizes de Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Sítio Web" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Entrar na conta é necessário para instalar ou atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Comprar rolos de material" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Atualizando" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Atualizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ir ao Mercado Web" +msgid "Front View" +msgstr "Viso de Frente" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Visão de Cima" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Visão à Esquerda" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Visão à Direita" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Buscar materiais" +msgid "Object list" +msgstr "Lista de objetos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Você precisará reiniciar o Cura para que as alterações tenham efeito." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Sair de %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Complementos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Será instalado ao reiniciar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Entrar na conta é necessário para atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Downgrade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Desinstalar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instalar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Alterações da sua conta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Dispensar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Próximo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Os seguintes pacotes serão adicionados:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Os seguintes pacotes não podem ser instalados por incompatibilidade de versão do Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirme a desinstalação" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Você está desinstalando material e/ou perfis que ainda estão em uso. Confirmar irá restaurar os materiais e perfis seguintes a seus defaults." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Perfis" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Você precisa aceitar a licença para que o pacote possa ser instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Sítio Web" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Email" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Última atualização" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marca" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Downloads" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contribuições da Comunidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Complementos da Comunidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiais Genéricos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Não foi possível conectar-se à base de dados de Pacotes do Cura. Por favor verifique sua conexão." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Complementos instalados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Nenhum complemento foi instalado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiais instalados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Nenhum material foi instalado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Complementos empacotados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiais empacotados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Obtendo pacotes..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Por favor se logue para adquirir complementos e materiais verificados para o Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Mercado" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivelamento da mesa de impressão" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "Arquivo (&F)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Para garantir que suas impressões saiam ótimas, você deve agora ajustar sua mesa de impressão. Quando você clicar em 'Mover para a Posição Seguinte', o bico se moverá para posições diferentes que podem ser ajustadas." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Editar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Para cada posição; insira um pedaço de papel abaixo do bico e ajuste a altura da mesa de impressão. A altura da mesa de impressão está adequada quando o papel for levemente pressionado pela ponta do bico." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Ver" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Iniciar Nivelamento da Mesa de Impressão" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "Aju&stes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Mover pra a Posição Seguinte" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensões" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Por favor selecionar quaisquer atualizações feitas nesta Ultimaker Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referências" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Mesa de Impressão Aquecida (kit Oficial ou auto-construído)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "Ajuda (&H)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Conectar a Impressora de Rede" +msgid "New project" +msgstr "Novo projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Para imprimir diretamente na sua impressora pela rede, certifique-se que ela esteja conectada à rede usando um cabo de rede ou conectando sua impressora à sua WIFI. Se você não conectar Cura à sua impressora, você ainda pode usar um drive USB ou SDCard para transferir arquivos G-Code a ela." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Tem certeza que quer iniciar novo projeto? Isto esvaziará a mesa de impressão e quaisquer ajustes não salvos." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Selecione sua impressora da lista abaixo:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Editar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Remover" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Se sua impressora não está listada, leia o guia de resolução de problemas de impressão em rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versão do firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Endereço" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Esta impressora não está configurada para hospedar um grupo de impressoras." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Esta impressora é a hospedeira de um grupo de %1 impressoras." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "A impressora neste endereço ainda não respondeu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Conectar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Endereço IP inválido" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Por favor entre um endereço IP válido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Endereço da Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Entre o endereço IP da sua impressora na rede." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Alterações de Configuração" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Sobrepor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "A impressora associada, %1, requer a seguinte alteração de configuração:" -msgstr[1] "A impressora associada, %1, requer as seguintes alterações de configuração:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "A impressora %1 está associada, mas o trabalho contém configuração de material desconhecida." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Alterar material %1 de %2 para %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Carregar %3 como material %1 (isto não pode ser sobreposto)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Alterar núcleo de impressão %1 de %2 para %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Alterar mesa de impressão para %1 (Isto não pode ser sobreposto)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Sobrepor irá usar os ajustes especificados com a configuração existente da impressora. Isto pode causar falha da impressão." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Vidro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alumínio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Mover para o topo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Remover" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Continuar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Pausando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Continuando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Pausar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Abortando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Abortar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Você tem certeza que quer mover %1 para o topo da fila?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Move o trabalho de impressão para o topo da fila" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Você tem certeza que quer remover %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Remover trabalho de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Você tem certeza que quer abortar %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Abortar impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gerir Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Por favor atualize o firmware de sua impressora parar gerir a fila remotamente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Fontes de webcam para impressoras de nuvem não podem ser vistas pelo Ultimaker Cura. Clique em \"Gerenciar impressora\" para visitar a Ultimaker Digital Factory e visualizar esta webcam." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Carregando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Indisponível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Inacessivel" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Ocioso" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Preparando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Imprimindo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sem Título" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anônimo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Requer mudanças na configuração" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detalhes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Impressora indisponível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primeira disponível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Abortado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Finalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Abortando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Pausando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Pausado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Continuando..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Necessária uma ação" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Termina %1 em %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Enfileirados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gerir no navegador" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Não há trabalhos de impressão na fila. Fatie e envie um trabalho para adicioná-lo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Trabalhos de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tempo total de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Esperando por" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimir pela rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Seleção de impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Entrar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Entre na plataforma Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Adicione perfis de material e plug-ins do Marketplace\n" -"- Faça backup e sincronize seus perfis de materiais e plugins\n" -"- Compartilhe ideias e consiga ajuda de mais de 48.000 usuários da comunidade Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Criar uma conta Ultimaker gratuita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Verificando..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Conta sincronizada" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Alguma coisa deu errado..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Instalação aguardando atualizações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Verificar atualizações da conta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Última atualização: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Conta na Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Deslogar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Sem estimativa de tempo disponível" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Sem estimativa de custo disponível" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Pré-visualização" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimativa de tempo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimativa de material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Fatiando..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Não foi possível fatiar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Processando" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Fatiar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Inicia o processo de fatiamento" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Cancelar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mostra Guia de Resolução de Problemas Online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Alternar Tela Cheia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Sair da Tela Cheia" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "Desfazer (&U)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Refazer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "Sair (&Q)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Visão &3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Visão Frontal" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Visão Superior" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Visão de Baixo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Visão do Lado Esquerdo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Visão do Lado Direito" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configurar Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Adicionar Impressora..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Adm&inistrar Impressoras..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Administrar Materiais..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Adicionar mais materiais do Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "At&ualizar perfil com valores e sobreposições atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Descartar ajustes atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Criar perfil a partir de ajustes/sobreposições atuais..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Administrar perfis..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Exibir &Documentação Online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Relatar um &Bug" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Novidades" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Sobre..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Remover Selecionados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centralizar Selecionados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Multiplicar Selecionados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Remover Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ce&ntralizar Modelo na Mesa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "A&grupar Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Desagrupar Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Co&mbinar Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Multiplicar Modelo..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Selecionar Todos Os Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Esvaziar a Mesa de Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Recarregar Todos Os Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Posicionar Todos os Modelos em Todas as Plataformas de Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Posicionar Todos os Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Posicionar Seleção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Reestabelecer as Posições de Todos Os Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Remover as Transformações de Todos Os Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "Abrir Arquiv&o(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Novo Projeto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Exibir Pasta de Configuração" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configurar a visibilidade dos ajustes..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Minhas impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Monitora as impressoras na Ultimaker Digital Factory" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Cria projetos de impressão na Digital Library." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Trabalhos de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Monitora trabalhos de impressão e reimprime a partir do histórico." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Estende o Ultimaker Cura com complementos e perfis de material." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Torne-se um especialista em impressão 3D com Ultimaker e-learning." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Suporte Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Saiba como começar com o Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Fazer uma pergunta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Consultar a Comunidade Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Relatar um problema" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Deixe os desenvolvedores saberem que algo está errado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Visita o website da Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Este pacote será instalado após o reinício." +msgid "Time estimation" +msgstr "Estimativa de tempo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Geral" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Estimativa de material" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ajustes" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Impressoras" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Perfis" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Sem estimativa de tempo disponível" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Fechando %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Sem estimativa de custo disponível" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Tem certeza que quer sair de %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Pré-visualização" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Abrir arquivo(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Adicionar uma impressora" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instalar Pacote" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Adicionar uma impressora de rede" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Abrir Arquivo(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Adicionar uma impressora local" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Encontramos um ou mais arquivos de G-Code entre os arquivos que você selecionou. Você só pode abrir um arquivo de G-Code por vez. Se você quiser abrir um arquivo de G-Code, por favor selecione somente um." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Adicionar uma impressora de Nuvem" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Adicionar Impressora" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Aguardando resposta da Nuvem" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Nenhuma impressora encontrada em sua conta?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "As seguintes impressoras da sua conta foram adicionadas ao Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Adicionar impressora manualmente" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Adicionar impressora por endereço IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Entre o endereço IP de sua impressora." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Adicionar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Não foi possível conectar ao dispositivo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Não consegue conectar à sua impressora Ultimaker?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "A impressora neste endereço ainda não respondeu." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Esta impressora não pode ser adicionada porque é uma impressora desconhecida ou porque não é o host do grupo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Voltar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Conectar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Contrato de Usuário" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Rejeitar e fechar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Bem-vindo ao Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "Por favor siga estes passos para configurar o Ultimaker Cura. Isto tomará apenas alguns momentos." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Começar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Entre na plataforma Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Adicionar ajustes de materiais e plugins do Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Fazer backup e sincronizar seus ajustes de materiais e plugins" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Compartilhe ideias e consiga ajuda de mais de 48.000 usuários da Comunidade Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Pular" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Criar uma conta Ultimaker gratuita" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Fabricante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Autor do perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nome da impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Por favor dê um nome à sua impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Não foi encontrada nenhuma impressora em sua rede." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Atualizar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Adicionar impressora por IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Adicionar impressora de nuvem" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Resolução de problemas" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Nos ajude a melhor o Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "O Ultimaker Cura coleta dados anônimos para melhor a qualidade de impressão e experiência do usuário, incluindo:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Tipos de máquina" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Uso do material" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Número de fatias" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Ajustes de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Dados coletados pelo Ultimaker Cura não conterão nenhuma informação pessoal." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Mais informações" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" -msgstr "Novidades" +msgstr "O Que Há de Novo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Vazio" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Notas de lançamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "Sobre %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "versão: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Solução completa para impressão 3D com filamento fundido." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3678,182 +3762,204 @@ msgstr "" "Cura é desenvolvido pela Ultimaker B.V. em cooperação com a comunidade.\n" "Cura orgulhosamente usa os seguintes projetos open-source:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Interface Gráfica de usuário" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Framework de Aplicações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Gerador de G-Code" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Biblioteca de comunicação interprocessos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Linguagem de Programação" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "Framework Gráfica" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Ligações da Framework Gráfica" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Biblioteca de Ligações C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Formato de Intercâmbio de Dados" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Biblioteca de suporte para computação científica" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Biblioteca de suporte para matemática acelerada" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Biblioteca de suporte para manuseamento de arquivos STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Biblioteca de suporte para manuseamento de objetos planares" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Biblioteca de suporte para manuseamento de malhas triangulares" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Biblioteca de suporte para manuseamento de arquivos 3MF" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Biblioteca de suporte para streaming e metadados de arquivo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Biblioteca de comunicação serial" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Biblioteca de descoberta 'ZeroConf'" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Biblioteca de recorte de polígonos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Verificador de tipos estáticos para Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Certificados raiz para validar confiança de SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Biblioteca de rastreamento de Erros de Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Biblioteca de empacotamento Polygon, desenvolvido pela Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Ligações de Python para a libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Biblioteca de suporte para acesso ao chaveiro do sistema" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Extensões de python para o Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Fonte" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Ícones SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Implementação de aplicação multidistribuição em Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Abrir arquivo de projeto" +msgid "Open file(s)" +msgstr "Abrir arquivo(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Este é um arquivo de projeto do Cura. Gostaria de abri-lo como um projeto ou importar os modelos dele?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Encontramos um ou mais arquivo(s) de projeto entre os arquivos que você selecionou. Você só pode abrir um arquivo de projeto por vez. Sugerimos que somente importe modelos destes arquivos. Gostaria de prosseguir?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Lembrar minha escolha" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Abrir como projeto" +msgid "Import all as models" +msgstr "Importar todos como modelos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Salvar Projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrusor %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Não exibir resumo do projeto ao salvar novamente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importar modelos" +msgid "Save" +msgstr "Salvar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Descartar ou Manter alterações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3864,1233 +3970,144 @@ msgstr "" "Gostaria de manter estes ajustes alterados após mudar de perfis?\n" "Alternativamente, você pode descartar as alterações para carregar os defaults de '%1'." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Ajustes de perfil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Alterações atuais" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Sempre perguntar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Descartar e não perguntar novamente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Manter e não perguntar novamente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Descartar alterações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Manter alterações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Abrir arquivo de projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Encontramos um ou mais arquivo(s) de projeto entre os arquivos que você selecionou. Você só pode abrir um arquivo de projeto por vez. Sugerimos que somente importe modelos destes arquivos. Gostaria de prosseguir?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Este é um arquivo de projeto do Cura. Gostaria de abri-lo como um projeto ou importar os modelos dele?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Lembrar minha escolha" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importar todos como modelos" +msgid "Open as project" +msgstr "Abrir como projeto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Salvar Projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrusor %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Não exibir resumo do projeto ao salvar novamente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Salvar" +msgid "Import models" +msgstr "Importar modelos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Imprimir Modelo Selecionado com %1" -msgstr[1] "Imprimir Modelos Selecionados com %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sem Título" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "Arquivo (&F)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Editar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Ver" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "Aju&stes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensões" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referências" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "Ajuda (&H)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Novo projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Tem certeza que quer iniciar novo projeto? Isto esvaziará a mesa de impressão e quaisquer ajustes não salvos." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Esta configuração não está disponível porque %1 não foi reconhecido. Por favor visite %2 para baixar o perfil de materil correto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Carregando configurações disponíveis da impressora..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "As configurações não estão disponíveis porque a impressora está desconectada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Selecione configuração" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Habilitado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Use cola para melhor aderência com essa combinação de materiais." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Imprimir Modelo Selecionado Com:" -msgstr[1] "Imprimir Modelos Selecionados Com:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Multiplicar Modelo Selecionado" -msgstr[1] "Multiplicar Modelos Selecionados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Número de Cópias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Salvar Projeto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exportar Seleção..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoritos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genérico" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Abrir Arquivo(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Impressoras habilitadas pela rede" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Impressoras locais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Abrir &Recente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Salvar Projeto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Im&pressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Definir Como Extrusor Ativo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Habilitar Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Desabilitar Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Ajustes Visíveis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Encolher Todas As Categorias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gerenciar Visibilidade dos Ajustes..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Posição da &câmera" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Visão de câmera" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspectiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortográfico" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "Plataforma de Impressão (&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Não conectado a nenhuma impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "A impressora não aceita comandos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Em manutenção. Por favor verifique a impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "A conexão à impressora foi perdida" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Imprimindo..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Pausado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Preparando..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Por favor remova a impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Abortar Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Tem certeza que deseja abortar a impressão?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Está impresso como suporte." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Outros modelos se sobrepondo a esse modelo foram modificados." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Preenchimento se sobrepondo a este modelo foi modificado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Sobreposições neste modelo não são suportadas." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Sobrepõe %1 ajuste." -msgstr[1] "Sobrepõe %1 ajustes." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista de objetos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interface" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Moeda:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Você precisará reiniciar a aplicação para que essas mudanças tenham efeito." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Fatiar automaticamente quando mudar ajustes." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Fatiar automaticamente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamento da área de visualização" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Ressaltar áreas sem suporte do modelo em vermelho. Sem suporte, estas áreas não serão impressas corretamente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Exibir seções pendentes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Ressalta superfícies faltantes ou incorretas do modelo usando sinais de alerta. Os caminhos de extrusão frequentemente terão partes da geometria pretendida ausentes." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Exibir erros de modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Move a câmera de modo que o modelo fique no centro da visão quando for selecionado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centralizar câmera quanto o item é selecionado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "O comportamento default de ampliação deve ser invertido?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Inverter a direção da ampliação de câmera." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "A ampliação (zoom) deve se mover na direção do mouse?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Ampliar com o mouse não é suportado na perspectiva ortográfica." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Ampliar na direção do mouse" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Os modelos devem ser movidos na plataforma de modo que não se sobreponham?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Assegurar que os modelos sejam mantidos separados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Os modelos devem ser movidos pra baixo pra se assentar na plataforma de impressão?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Automaticamente fazer os modelos caírem na mesa de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Exibir mensagem de alerta no leitor de G-Code." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Mensagem de alera no leitor de G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "A Visão de Camada deve ser forçada a ficar em modo de compatibilidade?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forçar modo de compatibilidade da visão de camadas (requer reinício)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "O Cura deve abrir no lugar onde foi fechado?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Restaurar posição da janela no início" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Que tipo de renderização de câmera deve ser usada?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Renderização de câmera:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspectiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ortográfica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Abrindo e salvando arquivos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Arquivos da área de trabalho ou de aplicações externas devem ser abertos na mesma instância do Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Usar uma única instância do Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "A plataforma de construção deve ser esvaziada antes de carregar um modelo novo na instância única do Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Limpar a plataforma de impressão antes de carregar modelo em instância única" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Os modelos devem ser redimensionados dentro do volume de impressão se forem muito grandes?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Redimensionar modelos grandes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Um modelo pode ser carregado diminuto se sua unidade for por exemplo em metros ao invés de milímetros. Devem esses modelos ser redimensionados?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Redimensionar modelos minúsculos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Os modelos devem ser selecionados após serem carregados?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Selecionar modelos ao carregar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Um prefixo baseado no nome da impressora deve ser adicionado ao nome do trabalho de impressão automaticamente?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Adicionar prefixo de máquina ao nome do trabalho" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Um resumo deve ser exibido ao salvar um arquivo de projeto?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Exibir diálogo de resumo ao salvar projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamento default ao abrir um arquivo de projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamento default ao abrir um arquivo de projeto: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Sempre me perguntar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Sempre abrir como projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Sempre importar modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Quando você faz alterações em um perfil e troca para um diferent, um diálogo aparecerá perguntando se você quer manter ou aplicar suas modificações, ou você pode forçar um comportamento default e não ter o diálogo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Perfis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Comportamento default para valores de configuração alterados ao mudar para um perfil diferente: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Sempre descartar alterações da configuração" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Sempre transferir as alterações para o novo perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacidade" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Dados anônimos sobre sua impressão podem ser enviados para a Ultimaker? Nota: nenhuma informação pessoalmente identificável, modelos ou endereços IP são enviados ou armazenados." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Enviar informação (anônima) de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Mais informações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Atualizações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "O Cura deve verificar novas atualizações quando o programa for iniciado?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Verificar atualizações na inicialização" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Ao procurar por atualizações, somente o fazer para versões estáveis." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Versões estáveis somente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Ao procurar por atualizações, fazer para versões estáveis ou beta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Versões estáveis ou beta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Uma verificação automática por novos complementos deve ser feita toda vez que o Cura iniciar? É altamente recomendado que não desabilite esta opção!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Ter notificações para atualizações de complementos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Ativar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Renomear" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Criar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplicar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exportar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Sincronizar com Impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmar Remoção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Tem certeza que deseja remover %1? Isto não poderá ser desfeito!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importar Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Não foi possível importar material %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Material %1 importado com sucesso" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportar Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Falha em exportar material para %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Material exportado para %1 com sucesso" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Exportar Todos Os Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informação" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmar Mudança de Diâmetro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "O novo diâmetro de filamento está ajustado em %1 mm, que não é compatível com o extrusor atual. Você deseja continuar?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Exibir Nome" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo de Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Cor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propriedades" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densidade" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diâmetro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Custo do Filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso do Filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Comprimento do Filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Custo por Metro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Este material está vinculado a %1 e compartilha algumas de suas propriedades." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Desvincular Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descrição" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informação sobre Aderência" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Ajustes de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Criar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplicar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Criar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Por favor dê um nome a este perfil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplicar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Renomear Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Impressora: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Atualizar perfil com ajustes/sobreposições atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Descartar ajustes atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Este perfil usa os defaults especificados pela impressora, portanto não tem ajustes/sobreposições na lista abaixo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Seus ajustes atuais coincidem com o perfil selecionado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Ajustes globais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Atual" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unidade" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilidade dos Ajustes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Verificar tudo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "A temperatura-alvo do hotend. O hotend vai aquecer ou esfriar na direção desta temperatura. Se for zero, o aquecimento de hotend é desligado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "A temperatura atual deste hotend." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "A temperatura com a qual pré-aquecer o hotend." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Cancelar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Pré-aquecer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Aquece o hotend com antecedência antes de imprimir. Você pode continuar ajustando sua impressão enquanto está aquecendo e não terá que esperar que o hotend termine o aquecimento quando estiver pronto para imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "A cor do material neste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "O material neste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "O bico inserido neste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Mesa de Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "A temperatura-alvo da mesa aquecida. A mesa aquecerá ou resfriará para esta temperatura. Se for zero, o aquecimento é desligado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "A temperatura atual da mesa aquecida." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "A temperatura em que pré-aquecer a mesa." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Aquecer a mesa antes de imprimir. Você pode continuar ajustando sua impressão enquanto ela está aquecendo, e não terá que esperar o aquecimento quando estiver pronto pra imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Controle da Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Posição de Trote" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Distância de Trote" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Enviar G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Enviar comando G-Code personalizado para a impressora conectada. Pressione 'enter' para enviar o comando." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "A impressora não está conectada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "A impressora de nuvem está offline. Por favor verifique se a impressora está ligada e conectada à internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Esta impressora não está vinculada à sua conta. Por favor visite a Ultimaker Digital Factory para estabelecer uma conexão." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "A conexão de nuvem está indisponível. Por favor se logue para se conectar à impressora de nuvem." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "A conexão de nuvem está indisponível. Por favor verifique sua conexão de internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Adicionar impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gerenciar impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Impressoras conectadas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Impressoras pré-ajustadas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Impressão ativa" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Nome do Trabalho" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Tempo de Impressão" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Tempo restante estimado" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "A impressora de nuvem está offline. Por favor verifique se a impressora está ligada e conectada à internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Esta impressora não está vinculada à sua conta. Por favor visite a Ultimaker Digital Factory para estabelecer uma conexão." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "A conexão de nuvem está indisponível. Por favor se logue para se conectar à impressora de nuvem." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "A conexão de nuvem está indisponível. Por favor verifique sua conexão de internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Adicionar impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Gerenciar impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Impressoras conectadas" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Impressoras pré-ajustadas" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Ajustes de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Configuração de Impressão desabilitada. O arquivo de G-Code não pode ser modificado." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Perfil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5101,120 +4118,1703 @@ msgstr "" "\n" "Clique para abrir o gerenciador de perfis." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Perfis personalizados" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Descartar ajustes atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Recomendado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "On" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Off" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimental" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Não há perfil %1 para a configuração no extrusor %2. O objetivo default será usado no lugar dele" msgstr[1] "Não há perfis %1 para a configurações nos extrusores %2. O objetivo default será usado no lugar deles" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Configuração de Impressão desabilitada. O arquivo de G-Code não pode ser modificado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recomendado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "On" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Off" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Experimental" +msgid "Profiles" +msgstr "Perfis" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Aderência" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Habilita imprimir um brim (bainha) ou raft (jangada). Adicionará uma área chata em volta ou sob o objeto que é fácil de remover após a impressão ter finalizado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Preenchimento gradual" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Preenchimento gradual aumentará gradualmente a quantidade de preenchimento em direção ao topo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Você modificou alguns ajustes de perfil. Se você quiser alterá-los, use o modo personalizado." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Suporte" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Gera estrutura que suportarão partes do modelo que têm seções pendentes. Sem estas estruturas, tais partes desabariam durante a impressão." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Alguns ajustes ocultos usam valores diferentes de seu valor calculado normal.\n" -"\n" -"Clique para tornar estes ajustes visíveis." +msgid "Gradual infill" +msgstr "Preenchimento gradual" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Preenchimento gradual aumentará gradualmente a quantidade de preenchimento em direção ao topo." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Aderência" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Habilita imprimir um brim (bainha) ou raft (jangada). Adicionará uma área chata em volta ou sob o objeto que é fácil de remover após a impressão ter finalizado." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Salvar Projeto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Impressoras habilitadas pela rede" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Impressoras locais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoritos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Genérico" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Imprimir Modelo Selecionado Com:" +msgstr[1] "Imprimir Modelos Selecionados Com:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Multiplicar Modelo Selecionado" +msgstr[1] "Multiplicar Modelos Selecionados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Número de Cópias" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Salvar Projeto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Exportar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Exportar Seleção..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configurações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Habilitado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Use cola para melhor aderência com essa combinação de materiais." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Selecione configuração" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Configurações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Carregando configurações disponíveis da impressora..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "As configurações não estão disponíveis porque a impressora está desconectada." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Esta configuração não está disponível porque %1 não foi reconhecido. Por favor visite %2 para baixar o perfil de materil correto." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Mercado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Abrir Arquivo(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "Im&pressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Definir Como Extrusor Ativo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Habilitar Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Desabilitar Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Abrir &Recente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Ajustes Visíveis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Encolher Todas As Categorias" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gerenciar Visibilidade dos Ajustes..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "Posição da &câmera" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Visão de câmera" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspectiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ortográfico" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "Plataforma de Impressão (&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Tipo de Visão" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Está impresso como suporte." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Outros modelos se sobrepondo a esse modelo foram modificados." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Preenchimento se sobrepondo a este modelo foi modificado." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Sobreposições neste modelo não são suportadas." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Sobrepõe %1 ajuste." +msgstr[1] "Sobrepõe %1 ajustes." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Perfis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Ativar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Criar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplicar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Renomear" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Exportar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Criar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Por favor dê um nome a este perfil." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Duplicar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Confirmar Remoção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Tem certeza que deseja remover %1? Isto não poderá ser desfeito!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Renomear Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Exportar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Impressora: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Atualizar perfil com ajustes/sobreposições atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Este perfil usa os defaults especificados pela impressora, portanto não tem ajustes/sobreposições na lista abaixo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Seus ajustes atuais coincidem com o perfil selecionado." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Ajustes globais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Geral" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Moeda:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Você precisará reiniciar a aplicação para que essas mudanças tenham efeito." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Fatiar automaticamente quando mudar ajustes." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Fatiar automaticamente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamento da área de visualização" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Ressaltar áreas sem suporte do modelo em vermelho. Sem suporte, estas áreas não serão impressas corretamente." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Exibir seções pendentes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Ressalta superfícies faltantes ou incorretas do modelo usando sinais de alerta. Os caminhos de extrusão frequentemente terão partes da geometria pretendida ausentes." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Exibir erros de modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Move a câmera de modo que o modelo fique no centro da visão quando for selecionado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Centralizar câmera quanto o item é selecionado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "O comportamento default de ampliação deve ser invertido?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Inverter a direção da ampliação de câmera." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "A ampliação (zoom) deve se mover na direção do mouse?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Ampliar com o mouse não é suportado na perspectiva ortográfica." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Ampliar na direção do mouse" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Os modelos devem ser movidos na plataforma de modo que não se sobreponham?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Assegurar que os modelos sejam mantidos separados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Os modelos devem ser movidos pra baixo pra se assentar na plataforma de impressão?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Automaticamente fazer os modelos caírem na mesa de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Exibir mensagem de alerta no leitor de G-Code." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Mensagem de alera no leitor de G-Code" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "A Visão de Camada deve ser forçada a ficar em modo de compatibilidade?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Forçar modo de compatibilidade da visão de camadas (requer reinício)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "O Cura deve abrir no lugar onde foi fechado?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Restaurar posição da janela no início" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Que tipo de renderização de câmera deve ser usada?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Renderização de câmera:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspectiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Abrindo e salvando arquivos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Arquivos da área de trabalho ou de aplicações externas devem ser abertos na mesma instância do Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Usar uma única instância do Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "A plataforma de construção deve ser esvaziada antes de carregar um modelo novo na instância única do Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Limpar a plataforma de impressão antes de carregar modelo em instância única" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Os modelos devem ser redimensionados dentro do volume de impressão se forem muito grandes?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Redimensionar modelos grandes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Um modelo pode ser carregado diminuto se sua unidade for por exemplo em metros ao invés de milímetros. Devem esses modelos ser redimensionados?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Redimensionar modelos minúsculos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Os modelos devem ser selecionados após serem carregados?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Selecionar modelos ao carregar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Um prefixo baseado no nome da impressora deve ser adicionado ao nome do trabalho de impressão automaticamente?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Adicionar prefixo de máquina ao nome do trabalho" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Um resumo deve ser exibido ao salvar um arquivo de projeto?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Exibir diálogo de resumo ao salvar projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Comportamento default ao abrir um arquivo de projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Comportamento default ao abrir um arquivo de projeto: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Sempre me perguntar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Sempre abrir como projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Sempre importar modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Quando você faz alterações em um perfil e troca para um diferent, um diálogo aparecerá perguntando se você quer manter ou aplicar suas modificações, ou você pode forçar um comportamento default e não ter o diálogo." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Comportamento default para valores de configuração alterados ao mudar para um perfil diferente: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Sempre descartar alterações da configuração" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Sempre transferir as alterações para o novo perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacidade" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Dados anônimos sobre sua impressão podem ser enviados para a Ultimaker? Nota: nenhuma informação pessoalmente identificável, modelos ou endereços IP são enviados ou armazenados." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Enviar informação (anônima) de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Mais informações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Atualizações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "O Cura deve verificar novas atualizações quando o programa for iniciado?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Verificar atualizações na inicialização" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Ao procurar por atualizações, somente o fazer para versões estáveis." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Versões estáveis somente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Ao procurar por atualizações, fazer para versões estáveis ou beta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Versões estáveis ou beta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Uma verificação automática por novos complementos deve ser feita toda vez que o Cura iniciar? É altamente recomendado que não desabilite esta opção!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Ter notificações para atualizações de complementos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informação" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Confirmar Mudança de Diâmetro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "O novo diâmetro de filamento está ajustado em %1 mm, que não é compatível com o extrusor atual. Você deseja continuar?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Exibir Nome" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Tipo de Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Cor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Propriedades" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Densidade" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Diâmetro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Custo do Filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Peso do Filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Comprimento do Filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Custo por Metro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Este material está vinculado a %1 e compartilha algumas de suas propriedades." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Desvincular Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Descrição" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Informação sobre Aderência" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Criar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplicar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Sincronizar com Impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importar Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Não foi possível importar material %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Material %1 importado com sucesso" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportar Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Falha em exportar material para %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Material exportado para %1 com sucesso" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Exportar Todos Os Materiais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Visibilidade dos Ajustes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Verificar tudo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Calculado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Ajustes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Atual" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Unidade" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Não conectado a nenhuma impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "A impressora não aceita comandos" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "Em manutenção. Por favor verifique a impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "A conexão à impressora foi perdida" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Imprimindo..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Pausado" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Preparando..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Por favor remova a impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Abortar Impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Tem certeza que deseja abortar a impressão?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Imprimir Modelo Selecionado com %1" +msgstr[1] "Imprimir Modelos Selecionados com %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Minhas impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Monitora as impressoras na Ultimaker Digital Factory" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Cria projetos de impressão na Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Trabalhos de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Monitora trabalhos de impressão e reimprime a partir do histórico." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Estende o Ultimaker Cura com complementos e perfis de material." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Torne-se um especialista em impressão 3D com Ultimaker e-learning." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Suporte Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Saiba como começar com o Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Fazer uma pergunta" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Consultar a Comunidade Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Relatar um problema" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Deixe os desenvolvedores saberem que algo está errado." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Visita o website da Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Controle da Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Posição de Trote" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Distância de Trote" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Enviar G-Code" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Enviar comando G-Code personalizado para a impressora conectada. Pressione 'enter' para enviar o comando." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "A temperatura-alvo do hotend. O hotend vai aquecer ou esfriar na direção desta temperatura. Se for zero, o aquecimento de hotend é desligado." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "A temperatura atual deste hotend." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "A temperatura com a qual pré-aquecer o hotend." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Pré-aquecer" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Aquece o hotend com antecedência antes de imprimir. Você pode continuar ajustando sua impressão enquanto está aquecendo e não terá que esperar que o hotend termine o aquecimento quando estiver pronto para imprimir." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "A cor do material neste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "O material neste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "O bico inserido neste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "A impressora não está conectada." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Mesa de Impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "A temperatura-alvo da mesa aquecida. A mesa aquecerá ou resfriará para esta temperatura. Se for zero, o aquecimento é desligado." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "A temperatura atual da mesa aquecida." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "A temperatura em que pré-aquecer a mesa." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Aquecer a mesa antes de imprimir. Você pode continuar ajustando sua impressão enquanto ela está aquecendo, e não terá que esperar o aquecimento quando estiver pronto pra imprimir." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Entrar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Adicione perfis de material e plug-ins do Marketplace\n" +"- Faça backup e sincronize seus perfis de materiais e plugins\n" +"- Compartilhe ideias e consiga ajuda de mais de 48.000 usuários da comunidade Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Criar uma conta Ultimaker gratuita" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Última atualização: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Conta na Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Deslogar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Verificando..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Conta sincronizada" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Alguma coisa deu errado..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Instalação aguardando atualizações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Verificar atualizações da conta" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Sem Título" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Sem itens para selecionar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Mostra Guia de Resolução de Problemas Online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Alternar Tela Cheia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Sair da Tela Cheia" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "Desfazer (&U)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Refazer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "Sair (&Q)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Visão &3D" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Visão Frontal" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Visão Superior" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Visão de Baixo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Visão do Lado Esquerdo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Visão do Lado Direito" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configurar Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Adicionar Impressora..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Adm&inistrar Impressoras..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Administrar Materiais..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Adicionar mais materiais do Mercado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "At&ualizar perfil com valores e sobreposições atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Descartar ajustes atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Criar perfil a partir de ajustes/sobreposições atuais..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Administrar perfis..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Exibir &Documentação Online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Relatar um &Bug" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Novidades" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Sobre..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Remover Selecionados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centralizar Selecionados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Multiplicar Selecionados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Remover Modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Ce&ntralizar Modelo na Mesa" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "A&grupar Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Desagrupar Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Co&mbinar Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Multiplicar Modelo..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Selecionar Todos Os Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Esvaziar a Mesa de Impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Recarregar Todos Os Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Posicionar Todos os Modelos em Todas as Plataformas de Impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Posicionar Todos os Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Posicionar Seleção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Reestabelecer as Posições de Todos Os Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Remover as Transformações de Todos Os Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "Abrir Arquiv&o(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Novo Projeto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Exibir Pasta de Configuração" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configurar a visibilidade dos ajustes..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Mercado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Este ajuste não é usado porque todos os ajustes que ele influencia estão sobrepostos." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Afeta" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Afetado Por" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Este ajuste é sempre compartilhado entre todos os extrusores. Modificá-lo aqui mudará o valor para todos." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Este ajuste é resolvido dos valores conflitante específicos de extrusor:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5225,7 +5825,7 @@ msgstr "" "\n" "Clique para restaurar o valor do perfil." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5236,505 +5836,92 @@ msgstr "" "\n" "Clique para restaurar o valor calculado." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Ajustes de busca" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Copiar valor para todos os extrusores" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Copiar todos os valores alterados para todos os extrusores" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Ocultar este ajuste" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Não exibir este ajuste" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Manter este ajuste visível" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Visão 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Viso de Frente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Visão de Cima" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Visão à Esquerda" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Visão à Direita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Tipo de Visão" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"Alguns ajustes ocultos usam valores diferentes de seu valor calculado normal.\n" +"\n" +"Clique para tornar estes ajustes visíveis." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Adicionar uma impressora de Nuvem" +msgid "This package will be installed after restarting." +msgstr "Este pacote será instalado após o reinício." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Aguardando resposta da Nuvem" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ajustes" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Nenhuma impressora encontrada em sua conta?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Fechando %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "As seguintes impressoras da sua conta foram adicionadas ao Cura:" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Tem certeza que quer sair de %1?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Adicionar impressora manualmente" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instalar Pacote" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricante" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Abrir Arquivo(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor do perfil" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Encontramos um ou mais arquivos de G-Code entre os arquivos que você selecionou. Você só pode abrir um arquivo de G-Code por vez. Se você quiser abrir um arquivo de G-Code, por favor selecione somente um." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nome da impressora" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Adicionar Impressora" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Por favor dê um nome à sua impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Adicionar uma impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Adicionar uma impressora de rede" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Adicionar uma impressora local" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Não foi encontrada nenhuma impressora em sua rede." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Adicionar impressora por IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Adicionar impressora de nuvem" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Resolução de problemas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Adicionar impressora por endereço IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Entre o endereço IP de sua impressora." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Adicionar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Não foi possível conectar ao dispositivo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Não consegue conectar à sua impressora Ultimaker?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "A impressora neste endereço ainda não respondeu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Esta impressora não pode ser adicionada porque é uma impressora desconhecida ou porque não é o host do grupo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Voltar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Conectar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notas de lançamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Adicionar ajustes de materiais e plugins do Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Fazer backup e sincronizar seus ajustes de materiais e plugins" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Compartilhe ideias e consiga ajuda de mais de 48.000 usuários da Comunidade Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Pular" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Criar uma conta Ultimaker gratuita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Nos ajude a melhor o Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "O Ultimaker Cura coleta dados anônimos para melhor a qualidade de impressão e experiência do usuário, incluindo:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipos de máquina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Uso do material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Número de fatias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Ajustes de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Dados coletados pelo Ultimaker Cura não conterão nenhuma informação pessoal." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Mais informações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vazio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Contrato de Usuário" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rejeitar e fechar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Bem-vindo ao Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "Por favor siga estes passos para configurar o Ultimaker Cura. Isto tomará apenas alguns momentos." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Começar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" -msgstr "O Que Há de Novo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Sem itens para selecionar" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Verifica modelos e configurações de impressão por possíveis problema e dá sugestões." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Verificador de Modelo" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Provê suporte à leitura de arquivos 3MF." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Leitor de 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Provê suporte à escrita de arquivos 3MF." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "Gerador de 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Provê suporta à leitura de arquivos AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Leitor AMF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Permite backup e restauração da configuração." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Backups Cura" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Provê a ligação ao backend de fatiamento CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine Backend" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Provê suporte à importação de perfis do Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Leitor de Perfis do Cura" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Provê suporte à exportação de perfis do Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Gravador de Perfis do Cura" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Conecta-se à Digital Library, permitindo ao Cura abrir arquivos dela e gravar arquivos nela." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Digital Library da Ultimaker" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Verifica por atualizações de firmware." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Verificador de Atualizações de Firmware" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Provê ações de máquina para atualização do firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Atualizador de Firmware" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Lê G-Code de um arquivo comprimido." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Leitor de G-Code Comprimido" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Escreve em formato G-Code comprimido." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Gerador de G-Code Comprimido" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Provê suporte a importar perfis de arquivos G-Code." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Leitor de Perfil de G-Code" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Permite carregar e exibir arquivos G-Code." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Leitor de G-Code" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Escreve em formato G-Code." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Gerador de G-Code" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Habilita a geração de geometria imprimível de arquivos de imagem 2D." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Leitor de Imagens" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Provê suporte a importação de perfis de versões legadas do Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Leitor de Perfis de Cura Legado" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Provê uma maneira de alterar ajustes de máquina (tais como volume de impressão, tamanho do bico, etc.)." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Ação de Ajustes de Máquina" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Provê um estágio de monitor no Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Estágio de Monitor" +msgstr "Novidades" #: PerObjectSettingsTool/plugin.json msgctxt "description" @@ -5746,85 +5933,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Ferramenta de Ajustes Por Modelo" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Extensão que permite scripts criados por usuários para pós-processamento" +msgid "Provides support for importing Cura profiles." +msgstr "Provê suporte à importação de perfis do Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Pós-processamento" +msgid "Cura Profile Reader" +msgstr "Leitor de Perfis do Cura" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Provê um estágio de preparação no Cura." +msgid "Provides support for reading X3D files." +msgstr "Provê suporte à leitura de arquivos X3D." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Estágio de Preparação" +msgid "X3D Reader" +msgstr "Leitor de X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Provê uma etapa de pré-visualização ao Cura." +msgid "Backup and restore your configuration." +msgstr "Permite backup e restauração da configuração." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Estágio de Pré-visualização" +msgid "Cura Backups" +msgstr "Backups Cura" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Provê suporte a escrita e reconhecimento de drives a quente." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Provê uma maneira de alterar ajustes de máquina (tais como volume de impressão, tamanho do bico, etc.)." -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Complemento de Dispositivo de Escrita Removível" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Registra certos eventos de forma que possam ser usados pelo relator de acidentes" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Sentinela para Registro" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Provê a Visão Simulada." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Visão Simulada" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Submete informações de fatiamento anônimas. Pode ser desabilitado nas preferências." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Informação de fatiamento" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Provê uma visualização de malha sólida normal." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Visão Sólida" +msgid "Machine Settings Action" +msgstr "Ação de Ajustes de Máquina" #: SupportEraser/plugin.json msgctxt "description" @@ -5836,35 +5983,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Apagador de Suporte" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Buscar, gerenciar e instalar novos pacotes do Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Provê suporte a escrita e reconhecimento de drives a quente." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Ferramentas" +msgid "Removable Drive Output Device Plugin" +msgstr "Complemento de Dispositivo de Escrita Removível" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Provê suporta a ler arquivos de modelo." +msgid "Provides a machine actions for updating firmware." +msgstr "Provê ações de máquina para atualização do firmware." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Leitor Trimesh" +msgid "Firmware Updater" +msgstr "Atualizador de Firmware" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Provê suporte a leitura de Pacotes de Formato Ultimaker (UFP)." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Provê suporte a importação de perfis de versões legadas do Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Leitor UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Leitor de Perfis de Cura Legado" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Provê suporte à leitura de arquivos 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Leitor de 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -5876,25 +6033,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Gerador de UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Provê ações de máquina para impressoras da Ultimaker (tais como assistente de nivelamento de mesa, seleção de atualizações, etc.)." +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Registra certos eventos de forma que possam ser usados pelo relator de acidentes" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ações de máquina Ultimaker" +msgid "Sentry Logger" +msgstr "Sentinela para Registro" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Administra conexões de rede a impressora Ultimaker conectadas." +msgid "Provides support for importing profiles from g-code files." +msgstr "Provê suporte a importar perfis de arquivos G-Code." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Conexão de Rede Ultimaker" +msgid "G-code Profile Reader" +msgstr "Leitor de Perfil de G-Code" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Provê uma etapa de pré-visualização ao Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Estágio de Pré-visualização" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Provê a visão de Raios-X." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Visão de Raios-X" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Provê a ligação ao backend de fatiamento CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine Backend" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Provê suporta à leitura de arquivos AMF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Leitor AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Lê G-Code de um arquivo comprimido." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Leitor de G-Code Comprimido" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Extensão que permite scripts criados por usuários para pós-processamento" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Pós-processamento" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Provê suporte à exportação de perfis do Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Gravador de Perfis do Cura" #: USBPrinting/plugin.json msgctxt "description" @@ -5906,25 +6133,135 @@ msgctxt "name" msgid "USB printing" msgstr "Impressão USB" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Atualiza configurações do Cura 2.1 para o Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Provê um estágio de preparação no Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Atualização de Versão de 2.1 para 2.2" +msgid "Prepare Stage" +msgstr "Estágio de Preparação" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Atualiza configurações do Cura 2.2 para o Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Permite carregar e exibir arquivos G-Code." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Atualização de Versão de 2.2 para 2.4" +msgid "G-code Reader" +msgstr "Leitor de G-Code" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Habilita a geração de geometria imprimível de arquivos de imagem 2D." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Leitor de Imagens" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Provê ações de máquina para impressoras da Ultimaker (tais como assistente de nivelamento de mesa, seleção de atualizações, etc.)." + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ações de máquina Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Escreve em formato G-Code comprimido." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Gerador de G-Code Comprimido" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Verifica por atualizações de firmware." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Verificador de Atualizações de Firmware" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Submete informações de fatiamento anônimas. Pode ser desabilitado nas preferências." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Informação de fatiamento" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Provê capacidade de ler e escrever perfis de material baseado em XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Perfis de Material" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Conecta-se à Digital Library, permitindo ao Cura abrir arquivos dela e gravar arquivos nela." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Digital Library da Ultimaker" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Buscar, gerenciar e instalar novos pacotes do Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Ferramentas" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Escreve em formato G-Code." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Gerador de G-Code" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Provê a Visão Simulada." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Visão Simulada" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Atualiza configurações do Cura 4.5 para o Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Atualização de Versão de 4.5 para 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -5936,55 +6273,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Atualização de Versão de 2.5 para 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Atualiza configurações do Cura 2.6 para o Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Atualiza configurações do Cura 4.6.0 para o Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Atualização de Versão de 2.6 para 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Atualização de Versão de 4.6.0 para 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Atualiza configuração do Cura 2.7 para o Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Atualiza configurações do Cura 4.7 para o Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Atualização de Versão de 2.7 para 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Atualiza configurações do Cura 3.0 para o Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Atualização de Versão 3.0 para 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Atualiza configurações do Cura 3.2 para o Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Atualização de Versão de 3.2 para 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Atualiza configuração do Cura 3.3 para o Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Atualização de Versão de 3.3 para 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Atualização de Versão de 4.7 para 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -5996,45 +6303,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Atualização de Versão de 3.4 para 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Atualiza configuração do Cura 3.5 para o Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Atualiza configurações do Cura 2.1 para o Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Atualização de Versão de 3.5 para 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Atualização de Versão de 2.1 para 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Atualiza configurações do Cura 4.0 para o Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Atualiza configurações do Cura 3.2 para o Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Atualização de Versão de 4.0 para 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Atualização de Versão de 3.2 para 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Atualiza configurações do Cura 4.11 para o Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Atualiza configurações do Cura 4.8 para o Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Atualização de Versão de 4.11 para 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Atualização de Versão de 4.8 para 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Atualiza configurações do Cura 4.1 para o Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Atualiza configurações do Cura 4.6.2 para o Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Atualização de Versão de 4.1 para 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Atualização de Versão de 4.6.2 para 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6056,66 +6363,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Atualização de Versão de 4.3 para 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Atualiza configurações do Cura 4.4 para o Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Atualização de Versão de 4.4 para 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Atualiza configurações do Cura 4.5 para o Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Atualização de Versão de 4.5 para 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Atualiza configurações do Cura 4.6.0 para o Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Atualização de Versão de 4.6.0 para 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Atualiza configurações do Cura 4.6.2 para o Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Atualização de Versão de 4.6.2 para 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Atualiza configurações do Cura 4.7 para o Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Atualização de Versão de 4.7 para 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Atualiza configurações do Cura 4.8 para o Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Atualização de Versão de 4.8 para 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6126,35 +6373,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Atualização de Versão de 4.9 para 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Provê suporte à leitura de arquivos X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Atualiza configuração do Cura 2.7 para o Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Leitor de X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Atualização de Versão de 2.7 para 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Provê capacidade de ler e escrever perfis de material baseado em XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Atualiza configurações do Cura 2.6 para o Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Perfis de Material" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Atualização de Versão de 2.6 para 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Provê a visão de Raios-X." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Atualiza configurações do Cura 4.11 para o Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Visão de Raios-X" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Atualização de Versão de 4.11 para 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Atualiza configuração do Cura 3.3 para o Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Atualização de Versão de 3.3 para 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Atualiza configurações do Cura 3.0 para o Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Atualização de Versão 3.0 para 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Atualiza configurações do Cura 4.0 para o Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Atualização de Versão de 4.0 para 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Atualiza configurações do Cura 4.4 para o Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Atualização de Versão de 4.4 para 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Atualiza configurações do Cura 2.2 para o Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Atualização de Versão de 2.2 para 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Atualiza configurações do Cura 4.1 para o Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Atualização de Versão de 4.1 para 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Atualiza configuração do Cura 3.5 para o Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Atualização de Versão de 3.5 para 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Administra conexões de rede a impressora Ultimaker conectadas." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Conexão de Rede Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Provê suporta a ler arquivos de modelo." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Leitor Trimesh" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Provê suporte a leitura de Pacotes de Formato Ultimaker (UFP)." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Leitor UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Provê uma visualização de malha sólida normal." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Visão Sólida" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Provê suporte à escrita de arquivos 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Gerador de 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Provê um estágio de monitor no Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Estágio de Monitor" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Verifica modelos e configurações de impressão por possíveis problema e dá sugestões." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Verificador de Modelo" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." @@ -7013,8 +7400,7 @@ msgstr "Visão de Raios-X" #~ "\n" #~ "Select your printer from the list below:" #~ msgstr "" -#~ "Para imprimir diretamente para sua impressora pela rede, por favor se certifique que a impressora esteja conectada na rede usando um cabo de rede ou conectando sua impressora na rede WIFI. Se você não conectar o Cura à sua impressora, você ainda pode usar uma unidade USB para transferir arquivos G-" -#~ "Code para sua impressora.\n" +#~ "Para imprimir diretamente para sua impressora pela rede, por favor se certifique que a impressora esteja conectada na rede usando um cabo de rede ou conectando sua impressora na rede WIFI. Se você não conectar o Cura à sua impressora, você ainda pode usar uma unidade USB para transferir arquivos G-Code para sua impressora.\n" #~ "\n" #~ "Selecione sua impressora da lista abaixo:" diff --git a/resources/i18n/pt_BR/fdmextruder.def.json.po b/resources/i18n/pt_BR/fdmextruder.def.json.po index 4928cf0378..fd346707cf 100644 --- a/resources/i18n/pt_BR/fdmextruder.def.json.po +++ b/resources/i18n/pt_BR/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-11 17:09+0200\n" "Last-Translator: Cláudio Sampaio \n" "Language-Team: Cláudio Sampaio \n" diff --git a/resources/i18n/pt_BR/fdmprinter.def.json.po b/resources/i18n/pt_BR/fdmprinter.def.json.po index d18f76c360..01636b3abd 100644 --- a/resources/i18n/pt_BR/fdmprinter.def.json.po +++ b/resources/i18n/pt_BR/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-11-04 08:29+0100\n" "Last-Translator: Cláudio Sampaio \n" "Language-Team: Cláudio Sampaio \n" @@ -155,6 +155,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "A profundidade (direção Y) da área imprimível." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Altura do Volume" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "A altura (direção Z) do volume imprimível." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -195,16 +205,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Alumínio" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Altura do Volume" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "A altura (direção Z) do volume imprimível." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -562,8 +562,8 @@ msgstr "A velocidade máxima para o motor da impressora na direção Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Velocidade Máxima de Alimentação" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1732,8 +1732,8 @@ msgstr "Padrão de Preenchimento" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "O padrão do material de preenchimento da impressão. Os preenchimentos de linha e ziguezague trocam de direção em camadas alternadas, reduzindo o custo de material. Os padrões de grade, triângulo, tri-hexágono, cúbico, octeto, quarto cúbico, cruzado e concêntrico são impressos a cada camada. Os preenchimentos giroide, cúbico, quarto cúbico e octeto mudam em cada camada para prover uma distribuição mais uniforme de força em cada direção. O preenchimento de relâmpago tenta minimizar o material suportando apenas os tetos (internos) do objeto. Como tal, a porcentagem de preenchimento somente é 'válida' uma camada abaixo do que quer que seja que ela precise para suportar o modelo." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2046,8 +2046,8 @@ msgstr "Ângulo de Poda do Preenchimento Relâmpago" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "A diferença que uma camada de preenchimento relâmpago pode ter em relação à camada imediatamente superior de acordo com a poda das extremidades externas das árvores. Medido em ângulo de acordo com a espessura." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2056,8 +2056,8 @@ msgstr "Ângulo de Retificação do Preenchimento Relâmpago" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "A diferença que uma camada de preenchimento relâmpago pode ter em relação à camada imediatamente superior de acordo com a suavização de árvores. Medido em ângulo de acordo com a espessura." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6482,6 +6482,22 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Matriz de transformação a ser aplicada ao modelo após o carregamento do arquivo." +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Velocidade Máxima de Alimentação" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "O padrão do material de preenchimento da impressão. Os preenchimentos de linha e ziguezague trocam de direção em camadas alternadas, reduzindo o custo de material. Os padrões de grade, triângulo, tri-hexágono, cúbico, octeto, quarto cúbico, cruzado e concêntrico são impressos a cada camada. Os preenchimentos giroide, cúbico, quarto cúbico e octeto mudam em cada camada para prover uma distribuição mais uniforme de força em cada direção. O preenchimento de relâmpago tenta minimizar o material suportando apenas os tetos (internos) do objeto. Como tal, a porcentagem de preenchimento somente é 'válida' uma camada abaixo do que quer que seja que ela precise para suportar o modelo." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "A diferença que uma camada de preenchimento relâmpago pode ter em relação à camada imediatamente superior de acordo com a poda das extremidades externas das árvores. Medido em ângulo de acordo com a espessura." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "A diferença que uma camada de preenchimento relâmpago pode ter em relação à camada imediatamente superior de acordo com a suavização de árvores. Medido em ângulo de acordo com a espessura." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "O padrão do material de preenchimento da impressão. Os preenchimentos de linha e ziguezague mudam de direção em camadas alternadas, reduzindo o custo do material. Os padrões de grade, triângulo, tri-hexágono, cúbico, octeto, quarto cúbico, cruzado e concêntrico são impressos em totalidade a cada camada. Os padrões giróide, cúbico, quarto cúbico e octeto mudam a cada camada para prover uma distribuição mais igualitária de força em cada direção." diff --git a/resources/i18n/pt_PT/cura.po b/resources/i18n/pt_PT/cura.po index 43d9a092ff..a005b81bf0 100644 --- a/resources/i18n/pt_PT/cura.po +++ b/resources/i18n/pt_PT/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-04-16 14:56+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Portuguese , Paulo Miranda , Portuguese \n" @@ -17,215 +17,455 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Desconhecido" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Não é possível criar um arquivo a partir do directório de dados do utilizador: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Não é possível ligar a(s) impressora(s) abaixo porque faz(em) parte de um grupo" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Backup" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Impressoras em rede disponíveis" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Tentou restaurar um Cura backup sem existirem dados ou metadados correctos." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Manter" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Tentativa de reposição de uma cópia de segurança do Cura que é superior à versão atual." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "O seguinte erro ocorreu ao tentar restaurar uma cópia de segurança do Cura:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Sincronize os perfis de material com as suas impressoras antes de começar a imprimir." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Novos materiais instalados" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Sincronizar materiais com impressoras" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Saber mais" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Não foi possível guardar o arquivo de material em {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Erro ao guardar o arquivo de material" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "A altura do volume de construção foi reduzida devido ao valor da definição \"Sequência de impressão\" para impedir que o pórtico colida com os modelos impressos." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Volume de construção" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Tem a certeza de que pretende remover {0}? Esta ação não pode ser anulada!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Manter" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Desconhecido" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Não é possível ligar a(s) impressora(s) abaixo porque faz(em) parte de um grupo" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Impressoras em rede disponíveis" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Acabamento" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "O perfil de acabamento foi criado para imprimir modelos e protótipos finais com o objetivo de se obter uma elevada qualidade de acabamento da superfície em termos visuais." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "O perfil de engenharia foi criado para imprimir protótipos funcionais e peças finais com o objetivo de se obter uma maior precisão dimensional assim como tolerâncias menores." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Rascunho" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "O perfil de rascunho foi concebido para imprimir protótipos de teste e de validação de conceitos com o objetivo de se obter uma redução significativa do tempo de impressão." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Sincronize os perfis de material com as suas impressoras antes de começar a imprimir." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Novos materiais instalados" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Sincronizar materiais com impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Saber mais" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Material Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Não foi possível guardar o arquivo de material em {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Erro ao guardar o arquivo de material" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Perfis personalizados" # rever! # contexto -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Todos os Formatos Suportados ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Todos os Ficheiros (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Acabamento" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "O perfil de acabamento foi criado para imprimir modelos e protótipos finais com o objetivo de se obter uma elevada qualidade de acabamento da superfície em termos visuais." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "O perfil de engenharia foi criado para imprimir protótipos funcionais e peças finais com o objetivo de se obter uma maior precisão dimensional assim como tolerâncias menores." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Rascunho" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "O perfil de rascunho foi concebido para imprimir protótipos de teste e de validação de conceitos com o objetivo de se obter uma redução significativa do tempo de impressão." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Material Personalizado" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Falha no início de sessão" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "A procurar nova posição para os objetos" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "A Procurar Posição" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Não é possível posicionar todos os objetos dentro do volume de construção" # rever! -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Não é Possível Posicionar" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Não é possível criar um arquivo a partir do directório de dados do utilizador: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Backup" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Tentou restaurar um Cura backup sem existirem dados ou metadados correctos." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Tentativa de reposição de uma cópia de segurança do Cura que é superior à versão atual." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "O seguinte erro ocorreu ao tentar restaurar uma cópia de segurança do Cura:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "A carregar máquinas..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "A configurar as preferências..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "A Inicializar a Máquina Ativa..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "A inicializar o gestor das máquinas..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "A inicializar o volume de construção..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "A configurar cenário..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "A carregar interface..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "A inicializar o motor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "A altura do volume de construção foi reduzida devido ao valor da definição \"Sequência de impressão\" para impedir que o pórtico colida com os modelos impressos." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Apenas pode ser carregado um ficheiro G-code de cada vez. Importação {0} ignorada" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +# rever! +# contexto! +# Atenção? +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Volume de construção" +msgid "Warning" +msgstr "Aviso" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Não é possível abrir outro ficheiro enquanto o G-code estiver a carregar. Importação {0} ignorada" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Erro" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Ignorar" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Fechar" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Seguinte" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Concluir" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Adicionar" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Grupo #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Parede Exterior" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Paredes Interiores" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Revestimento" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Enchimento" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Enchimento dos Suportes" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Interface dos Suportes" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Suportes" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Contorno" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Torre de preparação" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Deslocação" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Retrações" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Outro" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Não foi possível abrir as notas sobre a nova versão." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Não é possível iniciar o Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -242,32 +482,32 @@ msgstr "" # rever! # button size? -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Enviar relatório de falhas para a Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Mostrar relatório de falhas detalhado" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Mostrar pasta de configuração" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Backup e Repor a Configuração" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Relatório de Falhas" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -278,708 +518,645 @@ msgstr "" "

    Por favor utilize o botão \"Enviar relatório\" para publicar um relatório de erros automaticamente nos nossos servidores

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Informações do sistema" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Desconhecido" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Versão do Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Idioma do Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Idioma do Sistema Operativo" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Plataforma" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Versão Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Versão PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Ainda não inicializado
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Versão do OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Vendedor do OpenGL: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Processador do OpenGL: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Determinação da origem do erro" # rever! # Registos? -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Relatórios" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Enviar relatório" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "A carregar máquinas..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "A configurar as preferências..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "A Inicializar a Máquina Ativa..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "A inicializar o gestor das máquinas..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "A inicializar o volume de construção..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "A configurar cenário..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "A carregar interface..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "A inicializar o motor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Apenas pode ser carregado um ficheiro G-code de cada vez. Importação {0} ignorada" - -# rever! -# contexto! -# Atenção? -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Aviso" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Não é possível abrir outro ficheiro enquanto o G-code estiver a carregar. Importação {0} ignorada" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Erro" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Multiplicar e posicionar objetos" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "A posicionar objetos" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "A Posicionar Objeto" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Não foi possível ler a resposta." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "O estado apresentado não está correto." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Forneça as permissões necessárias ao autorizar esta aplicação." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Ocorreu algo inesperado ao tentar iniciar sessão, tente novamente." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Não é possível iniciar um novo processo de início de sessão. Verifique se ainda está ativa outra tentativa de início de sessão." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Não é possível aceder ao servidor da conta Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "O estado apresentado não está correto." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Forneça as permissões necessárias ao autorizar esta aplicação." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Ocorreu algo inesperado ao tentar iniciar sessão, tente novamente." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Não foi possível ler a resposta." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Multiplicar e posicionar objetos" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "A posicionar objetos" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "A Posicionar Objeto" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Não suportado" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Nozzle" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "As definições foram alteradas de forma a corresponder aos extrusores disponíveis de momento:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Definições atualizadas" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Extrusor(es) desativado(s)" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "O Ficheiro Já Existe" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "O ficheiro {0} já existe. Tem a certeza de que deseja substituí-lo?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "URL de ficheiro inválido:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Falha ao exportar perfil para {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Falha ao exportar perfil para {0}: O plug-in de gravação comunicou uma falha." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Perfil exportado para {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Exportação bem-sucedida" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Falha ao importar perfil de {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Não é possível importar o perfil de {0} antes de ser adicionada uma impressora." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Nenhum perfil personalizado para importar no ficheiro {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Falha ao importar perfil de {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "O perfil {0} contém dados incorretos, não foi possível importá-lo." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Falha ao importar perfil de {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Perfil {0} importado com êxito." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "O ficheiro {0} não contém qualquer perfil válido." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "O perfil {0} é de um formato de ficheiro desconhecido ou está corrompido." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Perfil personalizado" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "O perfil não inclui qualquer tipo de qualidade." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Ainda não existe qualquer impressora ativa." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Não é possível adicionar o perfil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "O tipo de qualidade '{0}' não é compatível com a definição de máquina atualmente ativa '{1}'." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Aviso: o perfil não é visível porque o respetivo tipo de qualidade '{0}' não está disponível para a configuração atual. Mude para uma combinação de material/bocal que possa utilizar este tipo de qualidade." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Não suportado" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Nozzle" +msgid "Per Model Settings" +msgstr "Definições Por-Modelo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "As definições foram alteradas de forma a corresponder aos extrusores disponíveis de momento:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Configurar definições individuais Por-Modelo" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Perfil Cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "Ficheiro X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Ocorreu um erro ao tentar restaurar a sua cópia de segurança." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Definições atualizadas" +msgid "Backups" +msgstr "Cópias de segurança" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Extrusor(es) desativado(s)" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Ocorreu um erro ao carregar a sua cópia de segurança." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Adicionar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "A criar a cópia de segurança..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Concluir" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Ocorreu um erro ao criar a cópia de segurança." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Cancelar" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "A carregar a sua cópia de segurança..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "A cópia de segurança terminou o seu carregamento." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "A cópia de segurança excede o tamanho de ficheiro máximo." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Gerir cópias de segurança" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Definições da Máquina" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Remover Suportes" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Criar um volume dentro do qual não são impressos suportes." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Disco Externo" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Guardar no Disco Externo" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Grupo #{group_nr}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Parede Exterior" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Paredes Interiores" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Revestimento" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Enchimento" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Enchimento dos Suportes" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Interface dos Suportes" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Suportes" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Contorno" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Torre de preparação" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Deslocação" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Retrações" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Outro" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Não foi possível abrir as notas sobre a nova versão." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Seguinte" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Ignorar" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Fechar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 -msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Assistente de Modelos 3D" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Guardar no Disco Externo {0}" # rever! -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +# contexto +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Não existem quaisquer formatos disponíveis para gravar o ficheiro!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "A Guardar no Disco Externo {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 +msgctxt "@info:title" +msgid "Saving" +msgstr "A Guardar" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Não foi possível guardar em {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Não foi possível encontrar um nome do ficheiro ao tentar gravar em {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Um, ou mais, dos modelos 3D podem ter menos qualidade de impressão devido à dimensão do modelo 3D e definição de material:

    \n" -"

    {model_names}

    \n" -"

    Descubra como assegurar a melhor qualidade e fiabilidade possível da impressão.

    \n" -"

    Ver o guia de qualidade da impressão

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Não foi possível guardar no Disco Externo {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Guardado no Disco Externo {0} como {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Ficheiro Guardado" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Ejetar" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Ejetar Disco Externo {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "{0} foi ejetado. O Disco já pode ser removido de forma segura." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Remover Hardware de forma segura" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Não foi possível ejectar {0}. Outro programa pode estar a usar o disco." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Atualizar firmware" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Perfis Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Recomendado" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "O ficheiro de projeto {0} contém um tipo de máquina desconhecido {1}. Não é possível importar a máquina. Em vez disso, serão importados os modelos." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Abrir ficheiro de projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "O projeto de ficheiro {0} ficou subitamente inacessível: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Não é possível abrir o ficheiro de projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "O ficheiro de projeto {0} está corrompido: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "O ficheiro de projeto {0} foi criado utilizando perfis que são desconhecidos para esta versão do Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Recomendado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "Ficheiro 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "O plug-in Gravador 3MF está danificado." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Não é possível escrever no ficheiro UFP:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Não tem permissão para escrever o espaço de trabalho aqui." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "O sistema operativo não permite guardar um ficheiro de projeto nesta localização ou com este nome de ficheiro." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Erro ao gravar ficheiro 3mf." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "Ficheiro 3MF" +msgid "Ultimaker Format Package" +msgstr "Arquivo Ultimaker Format" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Ficheiro 3MF de Projeto Cura" +msgid "G-code File" +msgstr "Ficheiro G-code" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Ficheiro AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Cópias de segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Ocorreu um erro ao carregar a sua cópia de segurança." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "A criar a cópia de segurança..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Ocorreu um erro ao criar a cópia de segurança." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "A carregar a sua cópia de segurança..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "A cópia de segurança terminou o seu carregamento." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "A cópia de segurança excede o tamanho de ficheiro máximo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Ocorreu um erro ao tentar restaurar a sua cópia de segurança." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Gerir cópias de segurança" +msgid "Preview" +msgstr "Pré-visualizar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Vista Raio-X" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "A Processar Camadas" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Informações" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "O seccionamento falhou com um erro inesperado. Por favor reportar um erro no nosso registo de problemas." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "O seccionamento falhou" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Reportar um erro" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Reportar um erro no registo de problemas do Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Não é possível seccionar com o material atual, uma vez que é incompatível com a impressora ou configuração selecionada." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Não é possível Seccionar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Não é possível seccionar com as definições atuais. As seguintes definições apresentam erros: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Não é possível seccionar devido a algumas definições por modelo. As seguintes definições apresentam erros num ou mais modelos: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Não é possível seccionar porque a torre de preparação ou a(s) posição(ões) de preparação é(são) inválidas." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Não é possível seccionar porque existem objetos associados ao extrusor %s desativado." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -992,477 +1169,436 @@ msgstr "" "- Estão atribuídos a uma extrusora ativada\n" "- Não estão todos definidos como objetos modificadores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "A Processar Camadas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Informações" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Perfil Cura" +msgid "AMF File" +msgstr "Ficheiro AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Ficheiro G-code comprimido" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Pós-Processamento" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Modificar G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Impressão USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Imprimir por USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Imprimir por USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Ligado via USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Existe uma impressão por USB em curso; fechar o Cura irá interromper esta impressão. Tem a certeza?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Existe uma impressão em curso. O Cura não consegue iniciar outra impressão via USB até a impressão anterior ser concluída." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Impressão em curso" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Preparar" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "A analisar G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Detalhes do G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Certifique-se de que este g-code é apropriado para a sua impressora e respetiva configuração, antes de enviar o ficheiro para a impressora. A representação do g-code poderá não ser exata." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Ficheiro G" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "Imagem JPG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "Imagem JPEG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "Imagem PNG" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "Imagem BMP" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "Imagem GIF" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Nivelar base de construção" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Selecionar atualizações" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "O GCodeGzWriter não suporta modo de texto." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Não foi possível aceder às informações de atualização." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Poderão estar disponíveis novas funcionalidades ou correções de erros para a sua {machine_name}! Se ainda não tiver a versão mais recente, recomendamos que atualize o firmware da sua impressora para a versão {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "A nova versão de firmware %s estável está disponível" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Como atualizar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Atualizar firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Ficheiro G-code comprimido" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "O GCodeGzWriter não suporta modo de texto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Ficheiro G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "A analisar G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Detalhes do G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Certifique-se de que este g-code é apropriado para a sua impressora e respetiva configuração, antes de enviar o ficheiro para a impressora. A representação do g-code poderá não ser exata." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Ficheiro G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "O GCodeWriter não suporta modo sem texto." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Prepare um G-code antes de exportar." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "Imagem JPG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "Imagem JPEG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "Imagem PNG" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "Imagem BMP" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "Imagem GIF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Perfis Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Definições da Máquina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Monitorizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Definições Por-Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Configurar definições individuais Por-Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Pós-Processamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Modificar G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Preparar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Pré-visualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Guardar no Disco Externo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Guardar no Disco Externo {0}" - -# rever! -# contexto -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Não existem quaisquer formatos disponíveis para gravar o ficheiro!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "A Guardar no Disco Externo {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "A Guardar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Não foi possível guardar em {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Não foi possível encontrar um nome do ficheiro ao tentar gravar em {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Não foi possível guardar no Disco Externo {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Guardado no Disco Externo {0} como {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Ficheiro Guardado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Ejetar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Ejetar Disco Externo {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "{0} foi ejetado. O Disco já pode ser removido de forma segura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Remover Hardware de forma segura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Não foi possível ejectar {0}. Outro programa pode estar a usar o disco." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Disco Externo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Quando a opção Wire Printing está ativa, o Cura não permite visualizar as camadas de uma forma precisa." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Visualização por Camadas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Não consegue visualizar, porque precisa de fazer o seccionamento primeiro." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Sem camadas para visualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Não mostrar esta mensagem novamente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Vista Camadas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Não foi possível ler o ficheiro de dados de exemplo." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "As áreas destacadas indicam superfícies em falta ou separadas. Corrija o modelo e volte a abri-lo no Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Erros no modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Vista Sólidos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Remover Suportes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Criar um volume dentro do qual não são impressos suportes." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Pretende sincronizar o material e os pacotes de software com a sua conta?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Foram detetadas alterações da sua conta Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Sincronizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "A sincronizar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Rejeitar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Concordar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Contrato de licença do plug-in" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Rejeitar e remover da conta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "É necessário reiniciar o {} para que as alterações tenham efeito." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "A sincronizar..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Foram detetadas alterações da sua conta Ultimaker" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Pretende sincronizar o material e os pacotes de software com a sua conta?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Sincronizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Rejeitar e remover da conta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "Falhou a transferência de {} plug-ins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Rejeitar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Concordar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Contrato de licença do plug-in" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "O GCodeWriter não suporta modo sem texto." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Prepare um G-code antes de exportar." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Quando a opção Wire Printing está ativa, o Cura não permite visualizar as camadas de uma forma precisa." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Visualização por Camadas" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Não consegue visualizar, porque precisa de fazer o seccionamento primeiro." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Sem camadas para visualizar" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Não mostrar esta mensagem novamente" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Vista Camadas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Imprimir através da rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Imprimir através da rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Ligado através da rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "amanhã" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Arquivo Ultimaker Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "hoje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Não é possível escrever no ficheiro UFP:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Nivelar base de construção" +msgid "Connect via Network" +msgstr "Ligar Através da Rede" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Aguarde até o trabalho atual ter sido enviado." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Erro de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "O trabalho de impressão foi enviado com sucesso para a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Dados Enviados" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Está a tentar ligar a uma impressora que não tem o Ultimaker Connect. Atualize a impressora para o firmware mais recente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Atualizar a impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "A fila de trabalhos de impressão está cheia. A impressora não consegue aceitar um novo trabalho." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Fila cheia" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "A enviar trabalho de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Carregar um trabalho de impressão na impressora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "O Cura detetou perfis de material que ainda não estavam instalados na impressora que aloja o grupo {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Enviar materiais para a impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Não foi possível carregar os dados para a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Erro de rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Está a tentar ligar a {0}, mas esta não é Host de um grupo. Pode visitar a página Web para a configurar como Host do grupo." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Não é Host do grupo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Selecionar atualizações" +msgid "Configure group" +msgstr "Configurar grupo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"A sua impressora {printer_name} pode ser ligada através da cloud.\n" +" Faça a gestão da sua fila de impressão e monitorize as suas impressões a partir de qualquer local ao ligar a sua impressora ao Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Está preparado para a impressão na cloud?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Iniciar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Saber mais" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Imprimir através da cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Imprimir através da cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Ligada através da cloud" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Monitorizar a impressão" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Controle a impressão no Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Código de erro desconhecido ao carregar trabalho de impressão: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Nova impressora detetada a partir da sua conta Ultimaker" msgstr[1] "Novas impressoras detetadas a partir da sua conta Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Adicionar impressora {name} ({model}) a partir da sua conta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1470,71 +1606,71 @@ msgid_plural "... and {0} others" msgstr[0] "... e {0} outra" msgstr[1] "... e {0} outras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Impressoras adicionadas a partir da Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Não existe uma conectividade de cloud disponível para a impressora" msgstr[1] "Não existe uma conectividade de cloud disponível para algumas impressoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Esta impressora não está associada à Digital Factory:" msgstr[1] "Estas impressoras não estão associadas à Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Para estabelecer uma ligação, visite {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Manter configurações da impressora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Remover impressoras" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "A impressora {printer_name} vai ser removida até à próxima sincronização de conta." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Para remover a impressora {printer_name} de forma permanente, visite {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Tem a certeza de que pretende remover a impressora {printer_name} temporariamente?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Remover impressoras?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1550,781 +1686,1655 @@ msgstr[1] "" "Está prestes a remover {0} impressoras do Cura. Esta ação não pode ser anulada.\n" "Tem a certeza de que pretende continuar?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" "Are you sure you want to continue?" msgstr "Está prestes a remover todas as impressoras do Cura. Esta ação não pode ser anulada.Tem a certeza de que pretende continuar?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "As áreas destacadas indicam superfícies em falta ou separadas. Corrija o modelo e volte a abri-lo no Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Erros no modelo" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Vista Sólidos" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Erro ao gravar ficheiro 3mf." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "O plug-in Gravador 3MF está danificado." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Não tem permissão para escrever o espaço de trabalho aqui." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "O sistema operativo não permite guardar um ficheiro de projeto nesta localização ou com este nome de ficheiro." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "Ficheiro 3MF" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Ficheiro 3MF de Projeto Cura" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Monitorizar" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Assistente de Modelos 3D" + +# rever! +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "A sua impressora {printer_name} pode ser ligada através da cloud.\n Faça a gestão da sua fila de impressão e monitorize as suas impressões a partir" -" de qualquer local ao ligar a sua impressora ao Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " +msgstr "" +"

    Um, ou mais, dos modelos 3D podem ter menos qualidade de impressão devido à dimensão do modelo 3D e definição de material:

    \n" +"

    {model_names}

    \n" +"

    Descubra como assegurar a melhor qualidade e fiabilidade possível da impressão.

    \n" +"

    Ver o guia de qualidade da impressão

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Está preparado para a impressão na cloud?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Iniciar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Saber mais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Está a tentar ligar a uma impressora que não tem o Ultimaker Connect. Atualize a impressora para o firmware mais recente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Atualizar a impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "O Cura detetou perfis de material que ainda não estavam instalados na impressora que aloja o grupo {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Enviar materiais para a impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Está a tentar ligar a {0}, mas esta não é Host de um grupo. Pode visitar a página Web para a configurar como Host do grupo." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Não é Host do grupo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Configurar grupo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Aguarde até o trabalho atual ter sido enviado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Erro de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Não foi possível carregar os dados para a impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Erro de rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "A enviar trabalho de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Carregar um trabalho de impressão na impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "A fila de trabalhos de impressão está cheia. A impressora não consegue aceitar um novo trabalho." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Fila cheia" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "O trabalho de impressão foi enviado com sucesso para a impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Dados Enviados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Imprimir através da rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Imprimir através da rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Ligado através da rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Ligar Através da Rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "amanhã" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "hoje" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Impressão USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Imprimir por USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Imprimir por USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Ligado via USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Existe uma impressão por USB em curso; fechar o Cura irá interromper esta impressão. Tem a certeza?" +msgid "Mesh Type" +msgstr "Tipo de Objecto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Existe uma impressão em curso. O Cura não consegue iniciar outra impressão via USB até a impressão anterior ser concluída." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Modelo normal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Impressão em curso" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Imprimir como suporte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Modificar definições para sobreposições" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Não suportar sobreposições" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Ficheiro X3D" +msgid "Infill mesh only" +msgstr "Apenas objeto de enchimento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Vista Raio-X" +msgid "Cutting mesh" +msgstr "Malha de corte" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Alguns factores podem vir a ser problemáticos nesta impressão. Clique para ver algumas sugestões para melhorar a qualidade da impressão." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Selecionar definições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Selecionar definições a personalizar para este modelo" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrar..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Mostrar tudo" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cópias de segurança do Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Versão do Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Máquinas" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Materiais" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Perfis" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Plug-ins" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Deseja mais?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Efetuar cópia de segurança agora" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Efetuar cópia de segurança automaticamente" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Criar automaticamente uma cópia de segurança sempre que o Cura é iniciado." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Restaurar" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Eliminar cópia de segurança" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Tem a certeza de que pretende eliminar esta cópia de segurança? Esta ação não pode ser anulada." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Restaurar cópia de segurança" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "É necessário reiniciar o Cura para restaurar a sua cópia de segurança. Pretende fechar o Cura agora?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Efetue a cópia de segurança e sincronize as suas definições do Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Iniciar sessão" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "As minhas cópias de segurança" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Atualmente não existem quaisquer cópias de segurança. Utilize o botão \"Efetuar cópia de segurança agora\" para criar uma." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Durante a fase de pré-visualização, terá um limite de 5 cópias de segurança visíveis. Remova uma cópia de segurança para ver as antigas." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Definições da impressora" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Largura)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Profundidade)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Altura)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Forma da base de construção" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Origem no centro" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Base aquecida" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Volume de construção aquecido" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Variante do G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Definições da cabeça de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X mín" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y mín" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X máx" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y máx" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Altura do pórtico" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Número de Extrusores" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Aplicar desvios da extrusora ao GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-code inicial" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-code final" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Definições do nozzle" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Tamanho do nozzle" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Diâmetro do material compatível" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Desvio X do Nozzle" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Desvio Y do Nozzle" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Número de ventoinha de arrefecimento" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "G-code inicial do extrusor" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "G-code final do extrusor" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Atualizar firmware" + +# rever! +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "O firmware é o software que é executado diretamente na sua impressora 3D. Este firmware controla os motores de passo, regula a temperatura e basicamente assegura o funcionamento da sua impressora." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "O firmware que é expedido com as novas impressoras funciona corretamente, mas as novas versões costumam ter mais funcionalidades e melhorias." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Atualizar firmware automaticamente" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Carregar firmware personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "O firmware não pode ser atualizado por não existir ligação com a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "O firmware não pode ser atualizado porque a ligação com a impressora não suporta a atualização de firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Selecionar firmware personalizado" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Atualização de firmware" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "A atualizar firmware." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Atualização de firmware concluída." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "A atualização de firmware falhou devido a um erro desconhecido." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "A atualização de firmware falhou devido a um erro de comunicação." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "A atualização de firmware falhou devido a um erro de entrada/saída." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "A atualização de firmware falhou devido à ausência de firmware." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Abrir Projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Atualizar existente" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Criar nova" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Resumo – Projeto Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Definições da impressora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Como deve ser resolvido o conflito da máquina?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Tipo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Grupo da Impressora" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Definições do perfil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Como deve ser resolvido o conflito no perfil?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Nome" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Inexistente no perfil" # rever! # contexto?! -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 substituição" msgstr[1] "%1 substituições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Derivado de" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 substituição" msgstr[1] "%1, %2 substituições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Definições de material" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Como deve ser resolvido o conflito no material?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Visibilidade das definições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Modo" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Definições visíveis:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 de %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Abrir um projeto irá apagar todos os modelos na base de construção." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Abrir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Deseja mais?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Efetuar cópia de segurança agora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Efetuar cópia de segurança automaticamente" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Criar automaticamente uma cópia de segurança sempre que o Cura é iniciado." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Restaurar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Eliminar cópia de segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Tem a certeza de que pretende eliminar esta cópia de segurança? Esta ação não pode ser anulada." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Restaurar cópia de segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "É necessário reiniciar o Cura para restaurar a sua cópia de segurança. Pretende fechar o Cura agora?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Versão do Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Máquinas" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Perfis" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cópias de segurança do Cura" +msgid "Post Processing Plugin" +msgstr "Plug-in de pós-processamento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "As minhas cópias de segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Atualmente não existem quaisquer cópias de segurança. Utilize o botão \"Efetuar cópia de segurança agora\" para criar uma." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Durante a fase de pré-visualização, terá um limite de 5 cópias de segurança visíveis. Remova uma cópia de segurança para ver as antigas." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Efetue a cópia de segurança e sincronize as suas definições do Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Iniciar sessão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Atualizar firmware" - -# rever! -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "O firmware é o software que é executado diretamente na sua impressora 3D. Este firmware controla os motores de passo, regula a temperatura e basicamente assegura o funcionamento da sua impressora." +msgid "Post Processing Scripts" +msgstr "Scripts de pós-processamento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Adicionar um script" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "O firmware que é expedido com as novas impressoras funciona corretamente, mas as novas versões costumam ter mais funcionalidades e melhorias." +msgid "Settings" +msgstr "Definições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Atualizar firmware automaticamente" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Altere os scripts de pós-processamento." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Carregar firmware personalizado" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "O script a seguir está ativo:" +msgstr[1] "Os seguintes scripts estão ativos:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "O firmware não pode ser atualizado por não existir ligação com a impressora." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "O firmware não pode ser atualizado porque a ligação com a impressora não suporta a atualização de firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Selecionar firmware personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Atualização de firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "A atualizar firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Atualização de firmware concluída." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "A atualização de firmware falhou devido a um erro desconhecido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "A atualização de firmware falhou devido a um erro de comunicação." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "A atualização de firmware falhou devido a um erro de entrada/saída." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "A atualização de firmware falhou devido à ausência de firmware." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Converter imagem..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "A distância máxima de cada pixel desde a \"Base\"" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Altura (mm)" # rever! -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "A altura da \"Base\" desde a base de construção em milímetros." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Base (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "A largura em milímetros na base de construção." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Largura (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "A profundidade em milímetros na base de construção" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Profundidade (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Para litofanias, os pixels escuros devem corresponder a localizações mais espessas para bloquear mais a passagem da luz. Para mapas de altura, os pixels mais claros significam um terreno mais alto, por isso, os pixels mais claros devem corresponder a localizações mais espessas no modelo 3D gerado." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Mais escuro é mais alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Mais claro é mais alto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Está disponível um modelo logarítmico simples para definir a translucidez das litofanias. Para mapas de altura, os valores dos pixels correspondem de forma linear à elevação." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Linear" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Translucidez" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "A percentagem de luz que penetra numa impressão com uma espessura de 1 milímetro. Diminuir este valor aumenta o contraste em regiões escuras e diminui o contraste em regiões claras da imagem." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "(%) transmitância de 1 mm" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "A quantidade de suavização a aplicar à imagem." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Suavização" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Selecione quaisquer atualizações realizadas a esta Ultimaker Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Base de Construção Aquecida (kit oficial ou de construção própria)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Nivelamento da Base de Construção" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Para assegurar uma boa qualidade das suas impressões, pode agora ajustar a base de construção. Quando clica em \"Avançar para a posição seguinte\", o nozzle irá deslocar-se para as diferentes posições que podem ser ajustadas." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Para cada posição, introduza um pedaço de papel debaixo do nozzle e ajuste a altura da base de construção. A altura da base de construção está correta quando o papel fica ligeiramente preso pelo nozzle." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Iniciar Nivelamento da base de construção" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Avançar para Posição Seguinte" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Mais informações sobre a recolha anónima de dados" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "O Ultimaker Cura recolhe dados anónimos para melhorar a qualidade da impressão e a experiência do utilizador. Segue-se um exemplo de todos os dados partilhados:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Não pretendo enviar dados anónimos" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Permitir o envio de dados anónimos" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Mercado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "É necessário reiniciar o Cura para que as alterações dos pacotes sejam aplicadas." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Sair %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Instalar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Instalado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Ir para Mercado na Web" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Procurar materiais" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Compatibilidade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Máquina" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Base de construção" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Suportes" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Qualidade" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Ficha técnica" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Ficha de segurança" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Instruções de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Site" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "É necessário Log in para instalar ou atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Comprar bobinas de material" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "A Actualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Atualizado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Anterior" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Impressora" +msgid "Plugins" +msgstr "Plug-ins" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Definições do nozzle" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Materiais" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Instalado" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Tamanho do nozzle" +msgid "Will install upon restarting" +msgstr "Será instalado após reiniciar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "É necessário Log in para atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Repor Versão Anterior" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Desinstalar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Contribuições comunitárias" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Diâmetro do material compatível" +msgid "Community Plugins" +msgstr "Plug-ins comunitários" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Desvio X do Nozzle" +msgid "Generic Materials" +msgstr "Materiais genéricos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "A obter pacotes..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Desvio Y do Nozzle" +msgid "Website" +msgstr "Site" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Número de ventoinha de arrefecimento" +msgid "Email" +msgstr "E-mail" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "G-code inicial do extrusor" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Inicie sessão para obter plug-ins e materiais verificados para o Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "G-code final do extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Definições da impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Largura)" +msgid "Version" +msgstr "Versão" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Profundidade)" +msgid "Last updated" +msgstr "Actualizado em" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Altura)" +msgid "Brand" +msgstr "Marca" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Forma da base de construção" +msgid "Downloads" +msgstr "Transferências" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Plug-ins instalados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Não foi instalado qualquer plug-in." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Materiais instalados" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Não foi instalado qualquer material." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Plug-ins em pacote" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Materiais em pacote" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Não foi possível aceder á base de dados de Pacotes do Cura. Por favor verifique a sua ligação." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Origem no centro" +msgid "You need to accept the license to install the package" +msgstr "É necessário aceitar a licença para instalar o pacote" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Alterações feitas desde a sua conta" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Descartar" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Seguinte" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Base aquecida" +msgid "The following packages will be added:" +msgstr "Os seguintes pacotes vão ser instalados:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Volume de construção aquecido" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Os seguintes pacotes não podem ser instalados devido a uma versão incompatível do Cura:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Confirmar desinstalação" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Está a desinstalar materiais e/ou perfis que ainda estão a ser utilizados. Mediante confirmação, as predefinições dos seguintes materiais/perfis serão repostas." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Materiais" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Perfis" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Confirmar" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Variante do G-code" +msgid "Color scheme" +msgstr "Esquema de cores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Definições da cabeça de impressão" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Cor do Material" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Tipo de Linha" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Velocidade" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Espessura da Camada" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Diâmetro da Linha" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Fluxo" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X mín" +msgid "Compatibility Mode" +msgstr "Modo Compatibilidade" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y mín" +msgid "Travels" +msgstr "Deslocações" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X máx" +msgid "Helpers" +msgstr "Auxiliares" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y máx" +msgid "Shell" +msgstr "Invólucro" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Altura do pórtico" +msgid "Infill" +msgstr "Enchimento" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Número de Extrusores" +msgid "Starts" +msgstr "A Iniciar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Aplicar desvios da extrusora ao GCode" +msgid "Only Show Top Layers" +msgstr "Só Camadas Superiores" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-code inicial" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "5 Camadas Superiores Detalhadas" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-code final" +# rever! +# todas as strings com a frase +# Topo / Base ?? +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Superior / Inferior" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Parede Interior" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "mín" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "máx" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Gerir impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Vidro" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Atualize o firmware da impressora para gerir a fila remotamente." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Não é possível visualizar os feeds das câmaras das impressoras na cloud a partir do Ultimaker Cura. Clique em \"Gerir impressora\" para visitar o Ultimaker Digital Factory e ver esta câmara." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "A carregar..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Indisponível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Inacessível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Inativa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "A preparar..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "A Imprimir" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Sem título" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anónimo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Requer alterações na configuração" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Detalhes" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Impressora indisponível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Primeira disponível" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Em fila" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Gerir no browser" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Não existem trabalhos de impressão na fila. Para adicionar um trabalho, seccione e envie." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Trabalhos em Impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Tempo de impressão total" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "A aguardar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Imprimir Através da Rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Imprimir" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Seleção de Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Alterações na configuração" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Ignorar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "A impressora atribuída %1 requer a seguinte alteração na configuração:" +msgstr[1] "A impressora atribuída %1 requer as seguintes alterações na configuração:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "A impressora %1 está atribuída, mas o trabalho tem uma configuração de material desconhecida." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Alterar o material %1 de %2 para %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Carregar %3 como material %1 (isto não pode ser substituído)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Substituir o print core %1 de %2 para %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Alterar base de construção para %1 (isto não pode ser substituído)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Ignorar utilizará as definições especificadas com a configuração da impressora existente. Tal pode resultar numa falha de impressão." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Alumínio" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Impressão terminada" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "A cancelar..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Cancelado" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "A colocar em pausa..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Em Pausa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "A recomeçar..." + +# rever! +# ver contexto! +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Ação necessária" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Termina %1 a %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Ligar a uma Impressora em Rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Para imprimir diretamente para a sua impressora através da rede, certifique-se de que a impressora está ligada à rede através de um cabo de rede ou através de ligação à rede Wi-Fi. Se não ligar o Cura por rede à impressora, poderá ainda assim utilizar uma unidade USB para transferir ficheiros g-code para a impressora." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Selecione a impressora a partir da lista abaixo:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Editar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Remover" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Atualizar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Se a sua impressora não estiver na lista, por favor, consulte o guia de resolução de problemas de impressão em rede" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Tipo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Versão de Firmware" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Endereço" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Esta impressora não está configurada para alojar um grupo de impressoras." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Esta impressora aloja um grupo de %1 impressoras." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "A impressora neste endereço ainda não respondeu." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Ligar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Endereço IP inválido" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Introduza um endereço IP válido." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Endereço da Impressora" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Introduza o endereço IP da sua impressora na rede." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Mover para o topo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Eliminar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Retomar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "A colocar em pausa..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "A recomeçar..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Colocar em pausa" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "A cancelar..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Tem a certeza de que pretende mover %1 para o topo da fila?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Mover trabalho de impressão para o topo" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Tem a certeza de que pretende eliminar %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Eliminar trabalho de impressão" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Tem a certeza de que deseja cancelar %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Cancelar impressão" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2337,1496 +3347,433 @@ msgstr "" "- Verifique se a impressora está ligada à rede.\n" "- Verifique se tem sessão iniciada para encontrar impressoras ligadas através da cloud." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Ligue a impressora à sua rede." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Ver manuais do utilizador online" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Para monitorizar a sua impressão a partir do Cura, ligue a impressora." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Tipo de Objecto" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Modelo normal" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Imprimir como suporte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Modificar definições para sobreposições" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Não suportar sobreposições" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Apenas objeto de enchimento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Malha de corte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Selecionar definições" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Selecionar definições a personalizar para este modelo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Mostrar tudo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Plug-in de pós-processamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Scripts de pós-processamento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Adicionar um script" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Definições" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Altere os scripts de pós-processamento." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Alguns factores podem vir a ser problemáticos nesta impressão. Clique para ver algumas sugestões para melhorar a qualidade da impressão." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "O script a seguir está ativo:" -msgstr[1] "Os seguintes scripts estão ativos:" +msgid "3D View" +msgstr "Vista 3D" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Esquema de cores" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Cor do Material" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Tipo de Linha" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Velocidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Espessura da Camada" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Diâmetro da Linha" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Fluxo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Modo Compatibilidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Deslocações" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Auxiliares" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Invólucro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Enchimento" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "A Iniciar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Só Camadas Superiores" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "5 Camadas Superiores Detalhadas" - -# rever! -# todas as strings com a frase -# Topo / Base ?? -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Superior / Inferior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Parede Interior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "mín" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "máx" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Mais informações sobre a recolha anónima de dados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "O Ultimaker Cura recolhe dados anónimos para melhorar a qualidade da impressão e a experiência do utilizador. Segue-se um exemplo de todos os dados partilhados:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Não pretendo enviar dados anónimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Permitir o envio de dados anónimos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Anterior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Compatibilidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Máquina" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Base de construção" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Suportes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Qualidade" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Ficha técnica" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Ficha de segurança" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Instruções de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Site" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "É necessário Log in para instalar ou atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Comprar bobinas de material" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "A Actualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Atualizado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Ir para Mercado na Web" +msgid "Front View" +msgstr "Vista Frente" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Vista Cima" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Vista esquerda" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Vista direita" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Procurar materiais" +msgid "Object list" +msgstr "Lista de objetos" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "É necessário reiniciar o Cura para que as alterações dos pacotes sejam aplicadas." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Sair %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Instalado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Será instalado após reiniciar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "É necessário Log in para atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Repor Versão Anterior" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Desinstalar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Instalar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Alterações feitas desde a sua conta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Descartar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Seguinte" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Os seguintes pacotes vão ser instalados:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Os seguintes pacotes não podem ser instalados devido a uma versão incompatível do Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Confirmar desinstalação" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Está a desinstalar materiais e/ou perfis que ainda estão a ser utilizados. Mediante confirmação, as predefinições dos seguintes materiais/perfis serão repostas." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Perfis" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Confirmar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "É necessário aceitar a licença para instalar o pacote" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Site" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-mail" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Versão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Actualizado em" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marca" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Transferências" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Contribuições comunitárias" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Plug-ins comunitários" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Materiais genéricos" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Não foi possível aceder á base de dados de Pacotes do Cura. Por favor verifique a sua ligação." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Plug-ins instalados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Não foi instalado qualquer plug-in." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Materiais instalados" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Não foi instalado qualquer material." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Plug-ins em pacote" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Materiais em pacote" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "A obter pacotes..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Inicie sessão para obter plug-ins e materiais verificados para o Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Mercado" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Nivelamento da Base de Construção" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Ficheiro" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Para assegurar uma boa qualidade das suas impressões, pode agora ajustar a base de construção. Quando clica em \"Avançar para a posição seguinte\", o nozzle irá deslocar-se para as diferentes posições que podem ser ajustadas." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "&Editar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Para cada posição, introduza um pedaço de papel debaixo do nozzle e ajuste a altura da base de construção. A altura da base de construção está correta quando o papel fica ligeiramente preso pelo nozzle." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Visualizar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Iniciar Nivelamento da base de construção" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Definições" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Avançar para Posição Seguinte" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "E&xtensões" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Selecione quaisquer atualizações realizadas a esta Ultimaker Original" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "P&referências" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Base de Construção Aquecida (kit oficial ou de construção própria)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Ajuda" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Ligar a uma Impressora em Rede" +msgid "New project" +msgstr "Novo projeto" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Para imprimir diretamente para a sua impressora através da rede, certifique-se de que a impressora está ligada à rede através de um cabo de rede ou através de ligação à rede Wi-Fi. Se não ligar o Cura por rede à impressora, poderá ainda assim utilizar uma unidade USB para transferir ficheiros g-code para a impressora." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Tem a certeza de que deseja iniciar um novo projeto? Isto irá apagar tudo na base de construção assim como quaisquer definições que não tenham sido guardadas." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Selecione a impressora a partir da lista abaixo:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Editar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Remover" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Se a sua impressora não estiver na lista, por favor, consulte o guia de resolução de problemas de impressão em rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tipo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Versão de Firmware" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Endereço" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Esta impressora não está configurada para alojar um grupo de impressoras." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Esta impressora aloja um grupo de %1 impressoras." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "A impressora neste endereço ainda não respondeu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Ligar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Endereço IP inválido" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Introduza um endereço IP válido." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Endereço da Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Introduza o endereço IP da sua impressora na rede." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Alterações na configuração" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Ignorar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "A impressora atribuída %1 requer a seguinte alteração na configuração:" -msgstr[1] "A impressora atribuída %1 requer as seguintes alterações na configuração:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "A impressora %1 está atribuída, mas o trabalho tem uma configuração de material desconhecida." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Alterar o material %1 de %2 para %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Carregar %3 como material %1 (isto não pode ser substituído)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Substituir o print core %1 de %2 para %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Alterar base de construção para %1 (isto não pode ser substituído)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Ignorar utilizará as definições especificadas com a configuração da impressora existente. Tal pode resultar numa falha de impressão." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Vidro" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alumínio" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Mover para o topo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Eliminar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Retomar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "A colocar em pausa..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "A recomeçar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Colocar em pausa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "A cancelar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Cancelar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Tem a certeza de que pretende mover %1 para o topo da fila?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Mover trabalho de impressão para o topo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Tem a certeza de que pretende eliminar %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Eliminar trabalho de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Tem a certeza de que deseja cancelar %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Cancelar impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Gerir impressora" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Atualize o firmware da impressora para gerir a fila remotamente." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Não é possível visualizar os feeds das câmaras das impressoras na cloud a partir do Ultimaker Cura. Clique em \"Gerir impressora\" para visitar o Ultimaker" -" Digital Factory e ver esta câmara." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "A carregar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Indisponível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Inacessível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Inativa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "A preparar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "A Imprimir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Sem título" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anónimo" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Requer alterações na configuração" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detalhes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Impressora indisponível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Primeira disponível" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Cancelado" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Impressão terminada" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "A cancelar..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "A colocar em pausa..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Em Pausa" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "A recomeçar..." - -# rever! -# ver contexto! -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Ação necessária" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Termina %1 a %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Em fila" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Gerir no browser" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Não existem trabalhos de impressão na fila. Para adicionar um trabalho, seccione e envie." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Trabalhos em Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Tempo de impressão total" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "A aguardar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Imprimir Através da Rede" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Imprimir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Seleção de Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Iniciar sessão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Inicie a sessão na plataforma Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Adicione definições de materiais e plug-ins do Marketplace\n" -"- Efetue uma cópia de segurança e sincronize as definições de materiais e plug-ins\n" -"- Partilhe ideias e obtenha ajuda dos mais de 48.000 utilizadores da Comunidade Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Crie uma conta Ultimaker gratuita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "A verificar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Conta sincronizada" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Ocorreu um problema..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Instalar atualizações pendentes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Verificar atualizações de conta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Atualização mais recente: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Conta Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Terminar sessão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Nenhuma estimativa de tempo disponível" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Nenhuma estimativa de custos disponível" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Pré-visualizar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Estimativa de tempo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Estimativa de material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "A Seccionar..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Não é possível seccionar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "A processar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Segmentação" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Iniciar o processo de segmentação" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Cancelar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Mostrar Guia de resolução de problemas online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Alternar para ecrã inteiro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Sair do Ecrã Inteiro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Desfazer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Refazer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Sair" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Vista 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Vista Frente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Vista Cima" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Vista Inferior" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Vista Lado Esquerdo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Vista Lado Direito" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Configurar Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Adicionar Impressora..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Gerir Im&pressoras..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Gerir Materiais..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Use o Mercado para adicionar outros materiais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Atualizar perfil com as definições/substituições atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Descartar alterações atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "&Criar perfil a partir das definições/substituições atuais..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Gerir Perfis..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Mostrar &documentação online" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Reportar um &erro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Novidades" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Sobre..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Apagar seleção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Centrar seleção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Multiplicar seleção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Apagar Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Ce&ntrar Modelo na Base" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "&Agrupar Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Desagrupar Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Combinar Modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Multiplicar Modelo..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Selecionar todos os modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Limpar base de construção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Recarregar todos os modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Dispor todos os modelos em todas as bases de construção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Dispor todos os modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Dispor seleção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Repor todas as posições de modelos" - -# rever! -# Cancelar todas? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Repor Todas as Transformações do Modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Abrir Ficheiro(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Novo Projeto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Mostrar pasta de configuração" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Configurar visibilidade das definições..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "As minhas impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Monitorize as impressoras no Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Crie projetos de impressão na Digital Library." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Trabalhos em Impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Monitorize os trabalhos de impressão e volte a imprimir a partir do histórico de impressão." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Tire mais partido do Ultimaker Cura com plug-ins e perfis de materiais." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Torne-se um perito em impressão 3D com os cursos de e-learning da Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Suporte da Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Saiba como começar a utilizar o Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Faça uma pergunta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Consulte a Comunidade Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Reportar um erro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Informe os programadores quando houver algum problema." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Visite o site da Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Este pacote será instalado após reiniciar." +msgid "Time estimation" +msgstr "Estimativa de tempo" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Geral" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Estimativa de material" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Definições" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1 m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Impressoras" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1 g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Perfis" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Nenhuma estimativa de tempo disponível" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "A fechar %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Nenhuma estimativa de custos disponível" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Tem a certeza de que pretende sair de %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Pré-visualizar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Abrir ficheiro(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Adicionar uma impressora" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Instalar Pacote" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Adicionar uma impressora em rede" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Abrir ficheiro(s)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Adicionar uma impressora sem rede" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Encontrámos um ou mais ficheiros G-code nos ficheiros selecionados. Só é possível abrir um ficheiro G-code de cada vez. Se pretender abrir um ficheiro G-code, selecione apenas um." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Adicionar uma impressora de cloud" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Adicionar Impressora" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "A aguardar resposta da cloud" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Não foram encontradas impressoras na sua conta?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "As seguintes impressoras na sua conta foram adicionadas no Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Adicionar impressora manualmente" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Adicionar impressora por endereço IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Introduza o endereço IP da sua impressora." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Adicionar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Não foi possível ligar ao dispositivo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Não se consegue ligar a uma impressora Ultimaker?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "A impressora neste endereço ainda não respondeu." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Não foi possível adicionar esta impressora porque é uma impressora desconhecida ou não aloja um grupo." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Anterior" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Ligar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Contrato de utilizador" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Rejeitar e fechar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Bem-vindo ao Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "Siga estes passos para configurar o Ultimaker Cura. Este processo irá demorar apenas alguns momentos." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Iniciar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Inicie a sessão na plataforma Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Adicione definições de materiais e plug-ins do Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Efetue uma cópia de segurança e sincronize as definições de materiais e plug-ins" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Partilhe ideias e obtenha ajuda dos mais de 48.000 utilizadores da Comunidade Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Ignorar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Crie uma Conta Ultimaker gratuita" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Fabricante" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Autor do perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Nome da impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Atribuir um nome à impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Não foi encontrada nenhuma impressora na sua rede." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Atualizar" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Adicionar impressora por IP" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Adicionar impressora de cloud" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Resolução de problemas" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Ajude-nos a melhorar o Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "O Ultimaker Cura recolhe dados anónimos para melhorar a qualidade da impressão e a experiência do utilizador, incluindo:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Tipos de máquina" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Utilização do material" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Número de segmentos" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Definições de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Os dados recolhidos pelo Ultimaker Cura não conterão quaisquer informações pessoais." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Mais informações" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Novidades" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Vazio" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Notas da versão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "Acerca de %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "versão: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "A Solução completa para a impressão 3D por filamento fundido." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3835,186 +3782,207 @@ msgstr "" "O Cura foi desenvolvido pela Ultimaker B.V. em colaboração com a comunidade.\n" "O Cura tem o prazer de utilizar os seguintes projetos open source:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Interface gráfica do utilizador" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Framework da aplicação" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Gerador de G-code" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Biblioteca de comunicação interprocessual" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Linguagem de programação" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI framework" # rever! # use eng programing terms? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Ligações de estrutura da GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "Biblioteca de ligações C/C++" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Formato de intercâmbio de dados" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Biblioteca de apoio para computação científica" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Biblioteca de apoio para cálculos mais rápidos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Biblioteca de apoio para processamento de ficheiros STL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Biblioteca de apoio para processamento de objetos planos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Biblioteca de apoio para processamento de malhas triangulares" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Biblioteca de apoio para processamento de ficheiros 3MF" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Biblioteca de apoio para transmissões de fluxo e metadados de ficheiros" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Biblioteca de comunicação em série" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Biblioteca de deteção ZeroConf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Biblioteca de recortes de polígonos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Verificador de tipo estático para Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Certificados de raiz para validar a credibilidade SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Biblioteca de controlo de erros de Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Biblioteca de embalagens de polígonos, desenvolvida pela Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Ligações Python para libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Biblioteca de apoio para acesso às chaves de sistema" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Extensões Python para Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Tipo de letra" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Ícones SVG" # rever! -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Implementação da aplicação de distribuição cruzada Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Abrir ficheiro de projeto" +msgid "Open file(s)" +msgstr "Abrir ficheiro(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Este ficheiro é um Projeto do Cura. Pretende abrir como Projeto ou só importar os modelos 3D incluídos no Projeto?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Encontrámos um ou mais projetos do Cura nos ficheiros selecionados. Só é possível abrir um Projeto do Cura, de cada vez. Sugerimos importar apenas os modelos 3D desses Projetos do Cura. Deseja continuar?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Memorizar a minha escolha" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Abrir como projeto" +msgid "Import all as models" +msgstr "Importar tudo como modelos 3D" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Guardar projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Extrusor %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Não mostrar novamente o resumo do projeto ao guardar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Importar modelos" +msgid "Save" +msgstr "Guardar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Descartar ou Manter as alterações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -4025,1261 +3993,144 @@ msgstr "" "Pretende manter estas definições alteradas depois de trocar de perfis?\n" "Como alternativa, pode descartar as alterações para carregar as predefinições a partir de '%1'." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Definições do perfil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Alterações atuais" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Perguntar sempre isto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Descartar e não perguntar novamente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Manter e não perguntar novamente" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Descartar alterações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Manter alterações" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Abrir ficheiro de projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Encontrámos um ou mais projetos do Cura nos ficheiros selecionados. Só é possível abrir um Projeto do Cura, de cada vez. Sugerimos importar apenas os modelos 3D desses Projetos do Cura. Deseja continuar?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Este ficheiro é um Projeto do Cura. Pretende abrir como Projeto ou só importar os modelos 3D incluídos no Projeto?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Memorizar a minha escolha" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Importar tudo como modelos 3D" +msgid "Open as project" +msgstr "Abrir como projeto" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Guardar projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Extrusor %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Não mostrar novamente o resumo do projeto ao guardar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Guardar" +msgid "Import models" +msgstr "Importar modelos" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Imprimir Modelo Selecionado com o %1" -msgstr[1] "Imprimir Modelos Selecionados com o %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Sem título" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Ficheiro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "&Editar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Visualizar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Definições" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "E&xtensões" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "P&referências" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Ajuda" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Novo projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Tem a certeza de que deseja iniciar um novo projeto? Isto irá apagar tudo na base de construção assim como quaisquer definições que não tenham sido guardadas." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Configurações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Esta configuração não está disponível porque não foi possível reconhecer %1. Visite %2 para transferir o perfil de material correto." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mercado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "A carregar as configurações disponíveis da impressora..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "As configurações não estão disponíveis porque a impressora está desligada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Selecionar configuração" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Configurações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Ativado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Utilizar cola para melhor aderência com esta combinação de materiais." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Imprimir Modelo Selecionado Com:" -msgstr[1] "Imprimir modelos selecionados com:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Multiplicar Modelo Selecionado" -msgstr[1] "Multiplicar modelos selecionados" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Número de Cópias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Guardar projeto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Exportar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Exportar seleção..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoritos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genérico" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Abrir ficheiro(s)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Impressoras em rede" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Impressoras locais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Abrir &Recente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Guardar projeto..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Definir como Extrusor Ativo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Ativar Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Desativar Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Definições Visíveis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Fechar todas as categorias" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Gerir Visibilidade das Definições..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Posição da câmara" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Vista da câmara" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspetiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortográfica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Base de construção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Sem ligação a uma impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "A impressora não aceita comandos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Em manutenção. Verifique a impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Perdeu-se a ligação com a impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "A imprimir..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Em pausa" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "A preparar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Remova a impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Cancelar impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Tem a certeza de que deseja cancelar a impressão?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "É imprimido como suporte." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Foram modificados outros modelos sobrepostos com este modelo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Foi modificada a sobreposição de enchimento com este modelo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Não são suportadas sobreposições com este modelo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Substitui %1 definição." -msgstr[1] "Substitui %1 definições." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Lista de objetos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Interface" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Moeda:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "É necessário reiniciar a aplicação para que estas alterações sejam aplicadas." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Seccionar automaticamente ao alterar as definições." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Seccionar automaticamente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Comportamento da janela" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Realçar, a vermelho, as áreas do modelo sem apoio. Sem suporte, estas áreas podem não ser impressas correctamente." - -# rever! -# consolas? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Mostrar Saliências (Overhangs)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Destaque as superfícies extra ou em falta do modelo utilizando sinais de aviso. As trajetórias de ferramentas irão falhar muitas vezes partes da geometria pretendida." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Apresentar erros de modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Move a câmara de forma que o modelo fique no centro da visualização quando é selecionado um modelo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Centrar câmara ao selecionar item" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "O comportamento de zoom predefinido do Cura deve ser invertido?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Inverta a direção do zoom da câmera." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "O zoom deve deslocar-se na direção do rato?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Fazer zoom em direção ao rato não é suportado na perspetiva ortográfica." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Fazer Zoom na direção do rato" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Os modelos, na plataforma, devem ser movidos para que não se intersectem?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Garantir que os modelos não se interceptam" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Pousar os modelos na base de construção?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Pousar automaticamente os modelos na base de construção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Mostrar mensagem de aviso no leitor de g-code." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Mensagem de aviso no leitor de g-code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "A vista por camada deve ser forçada a utilizar o modo de compatibilidade?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Forçar o modo de compatibilidade na visualização por camada (é necessário reiniciar)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "O Cura deve abrir na localização onde foi fechado?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Restaurar posição da janela ao iniciar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Que tipo de composição de câmara deve ser utilizado?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Composição de câmara:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspetiva" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ortográfica" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Abrir e guardar ficheiros" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Pretende que os ficheiros abertos a partir do ambiente de trabalho ou de aplicações externas sejam executados na mesma instância do Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Utilizar uma única instância do Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Limpar a base de construção antes de carregar um novo modelo na instância única do Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Limpar base de construção antes de carregar o modelo na instância única" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Os modelos devem ser redimensionados até ao volume de construção se forem demasiado grandes?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Redimensionar modelos demasiado grandes" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Um modelo pode parecer extremamente pequeno se, por exemplo, este tiver sido criado em metros e não em milímetros. Estes modelos devem ser redimensionados?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Redimensionar modelos extremamente pequenos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Selecionar os modelos depois de abertos?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Selecionar os modelos depois de abertos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Deve um prefixo com base no nome da impressora ser adicionado ao nome do trabalho de impressão automaticamente?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Adicionar prefixo da máquina ao nome do trabalho" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Deve ser apresentado um resumo ao guardar um ficheiro de projeto?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Mostrar caixa de diálogo de resumo ao guardar projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Comportamento predefinido ao abrir um ficheiro de projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Comportamento predefinido ao abrir um ficheiro de projeto: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Perguntar sempre isto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Abrir sempre como projeto" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Importar sempre modelos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Quando tiver realizado alterações a um perfil e mudado para outro, será apresentada uma caixa de diálogo a perguntar se pretende manter as alterações. Caso contrário, pode escolher um comportamento predefinido, sendo que a caixa de diálogo nunca mais é apresentada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Perfis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Comportamento predefinido para valores de definição alterados ao mudar para um perfil diferente: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Descartar sempre definições alteradas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Transferir sempre definições alteradas para o novo perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Privacidade" - -# rever! -# legal wording -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Podem alguns dados anónimos sobre a impressão ser enviados para a Ultimaker? Não são enviadas, nem armazenadas, quaisquer informações pessoais, incluindo modelos, endereços IP ou outro tipo de identificação pessoal." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Enviar dados (anónimos) sobre a impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Mais informações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Atualizações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "O Cura deve procurar atualizações quando o programa é iniciado?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Procurar atualizações ao iniciar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Quando se verificar se existem atualizações, verificar apenas a existência de versões estáveis." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Apenas versões estáveis" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Quando se verificar se existem atualizações, verificar tanto a existência de versões estáveis como de versões beta." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Versões estáveis e beta" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Fazer uma verificação automática de novos plug-ins sempre que o Cura for iniciado? Recomenda-se vivamente que não desative esta opção!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Receber notificações para atualizações de plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Ativar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Mudar Nome" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Criar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Duplicar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Importar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Exportar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Sincronizar com Impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Confirmar Remoção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Tem a certeza de que deseja remover o perfil %1? Não é possível desfazer esta ação!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Importar material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Não foi possível importar o material %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Material %1 importado com êxito" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Exportar Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Falha ao exportar material para %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Material exportado com êxito para %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Exportar Todos os Materiais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Informações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Confirmar Alteração de Diâmetro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "O novo diâmetro do filamento está definido como %1 mm, o que não é compatível com o extrusor actual. Pretende prosseguir?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Nome" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Tipo de Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Cor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Propriedades" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Densidade" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Diâmetro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Custo do Filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Peso do Filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Comprimento do filamento" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Custo por Metro" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Este material está associado a %1 e partilha algumas das suas propriedades." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Desassociar Material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Descrição" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Informações de Aderência" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Definições de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Criar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Duplicar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Criar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Forneça um nome para este perfil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Duplicar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Mudar Nome do Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Importar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Exportar Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Impressora: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Atualizar perfil com as definições/substituições atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Descartar alterações atuais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Este perfil utiliza as predefinições especificadas pela impressora, pelo que não tem quaisquer definições/substituições na lista seguinte." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "As suas definições atuais correspondem ao perfil selecionado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Definições Globais" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Calculado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Definição" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Perfil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Atual" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Unidade" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Visibilidade das Definições" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Selecionar tudo" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Extrusor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "A temperatura-alvo do extrusor. O extrusor irá aquecer ou arrefecer até esta temperatura. Se esta opção for definida como 0, o aquecimento do extrusor será desligado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "A temperatura atual deste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "A temperatura-alvo de preaquecimento do extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Cancelar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Preaquecer" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Aquecer o extrusor com antecedência antes de imprimir. Pode continuar a ajustar as definições de impressão durante o aquecimento e não precisará de esperar que o extrusor aqueça quando começar a impressão." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "A cor do material neste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "O material neste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "O nozzle inserido neste extrusor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Base de construção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "A temperatura desejada da base aquecida. A base irá aquecer ou arrefecer até esta temperatura. Se esta opção for definida como 0, o aquecimento da base será desligado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "A temperatura atual da base aquecida." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "A temperatura de pré-aquecimento da base." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Aqueçer a base com antecedência antes de imprimir. Pode continuar a ajustar as definições de impressão durante o aquecimento e não precisará de esperar que a base aqueça quando começar a impressão." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Controlo da impressora" - -# rever! -# contexto?! -# Jog? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Posição de deslocação" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -# rever! -# contexto?! -# Jog? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Distância de deslocação" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Enviar G-code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Enviar um comando G-code personalizado para a impressora ligada. Prima \"Enter\" para enviar o comando." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "A impressora não está ligada." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "A impressora de cloud está offline. Verifique se a impressora está ligada e conectada à Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Esta impressora não está associada à sua conta. Visite a Ultimaker Digital Factory para estabelecer uma ligação." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "A conectividade de cloud está atualmente indisponível. Inicie sessão para estabelecer ligação com a impressora de cloud." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "A conectividade de cloud está atualmente indisponível. Verifique a sua ligação à Internet." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Adicionar Impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Gerir impressoras" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Impressoras ligadas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Impressoras predefinidas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Impressão ativa" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Nome do trabalho" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Tempo de Impressão" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Tempo restante estimado" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "A impressora de cloud está offline. Verifique se a impressora está ligada e conectada à Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Esta impressora não está associada à sua conta. Visite a Ultimaker Digital Factory para estabelecer uma ligação." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "A conectividade de cloud está atualmente indisponível. Inicie sessão para estabelecer ligação com a impressora de cloud." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "A conectividade de cloud está atualmente indisponível. Verifique a sua ligação à Internet." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Adicionar Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Gerir impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Impressoras ligadas" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Impressoras predefinidas" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Definições de impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Configuração de impressão desativada. O ficheiro G-code não pode ser modificado." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Perfil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5290,74 +4141,61 @@ msgstr "" "\n" "Clique para abrir o gestor de perfis." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Perfis personalizados" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Descartar alterações atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Recomendado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Ligado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Desligado" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Experimental" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "Não existe um perfil %1 para a configuração do extrusor %2. O objetivo predefinido será usado como alternativa" msgstr[1] "Não existe um perfil %1 para as configurações dos extrusores %2. O objetivo predefinido será usado como alternativa" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Configuração de impressão desativada. O ficheiro G-code não pode ser modificado." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Recomendado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Personalizado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Ligado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Desligado" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Experimental" +msgid "Profiles" +msgstr "Perfis" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Aderência à Base de Construção" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Permite a impressão de uma aba ou raft. Isto irá adicionar, respetivamente, uma área plana em torno ou sob a base do seu objeto, que são fáceis de retirar posteriormente." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Enchimento gradual" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "O enchimento gradual irá aumentar progressivamente a densidade do enchimento em direção ao topo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Algumas definições do perfil foram modificadas. Se pretender alterá-las, aceda ao modo Personalizado." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Suportes" @@ -5365,27 +4203,1631 @@ msgstr "Suportes" # rever! # collapse ? # desmoronar? desabar? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Criar estruturas para suportar partes do modelo, suspensas ou com saliências. Sem estas estruturas, essas partes do modelo podem desmoronar durante a impressão." -# rever! -# ocultas? -# escondidas? -# valor normal? automatico? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Algumas das definições invisíveis têm valores diferentes dos valores normais calculados automaticamente.\n" -"\n" -"Clique para tornar estas definições visíveis." +msgid "Gradual infill" +msgstr "Enchimento gradual" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "O enchimento gradual irá aumentar progressivamente a densidade do enchimento em direção ao topo." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Aderência à Base de Construção" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Permite a impressão de uma aba ou raft. Isto irá adicionar, respetivamente, uma área plana em torno ou sob a base do seu objeto, que são fáceis de retirar posteriormente." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Guardar projeto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Impressoras em rede" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Impressoras locais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoritos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Genérico" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Imprimir Modelo Selecionado Com:" +msgstr[1] "Imprimir modelos selecionados com:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Multiplicar Modelo Selecionado" +msgstr[1] "Multiplicar modelos selecionados" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Número de Cópias" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Guardar projeto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Exportar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Exportar seleção..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Configurações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Personalizado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Ativado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Utilizar cola para melhor aderência com esta combinação de materiais." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Selecionar configuração" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Configurações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "A carregar as configurações disponíveis da impressora..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "As configurações não estão disponíveis porque a impressora está desligada." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Esta configuração não está disponível porque não foi possível reconhecer %1. Visite %2 para transferir o perfil de material correto." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Mercado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Abrir ficheiro(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Definir como Extrusor Ativo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Ativar Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Desativar Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Abrir &Recente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Definições Visíveis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Fechar todas as categorias" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Gerir Visibilidade das Definições..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Posição da câmara" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Vista da câmara" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspetiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Base de construção" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Ver tipo" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "É imprimido como suporte." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Foram modificados outros modelos sobrepostos com este modelo." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Foi modificada a sobreposição de enchimento com este modelo." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Não são suportadas sobreposições com este modelo." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Substitui %1 definição." +msgstr[1] "Substitui %1 definições." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Perfis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Ativar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Criar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Duplicar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Mudar Nome" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Importar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Exportar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Criar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Forneça um nome para este perfil." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Duplicar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Confirmar Remoção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Tem a certeza de que deseja remover o perfil %1? Não é possível desfazer esta ação!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Mudar Nome do Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Importar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Exportar Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Impressora: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Atualizar perfil com as definições/substituições atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Este perfil utiliza as predefinições especificadas pela impressora, pelo que não tem quaisquer definições/substituições na lista seguinte." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "As suas definições atuais correspondem ao perfil selecionado." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Definições Globais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Geral" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Interface" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Moeda:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "É necessário reiniciar a aplicação para que estas alterações sejam aplicadas." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Seccionar automaticamente ao alterar as definições." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Seccionar automaticamente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Comportamento da janela" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Realçar, a vermelho, as áreas do modelo sem apoio. Sem suporte, estas áreas podem não ser impressas correctamente." + +# rever! +# consolas? +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Mostrar Saliências (Overhangs)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Destaque as superfícies extra ou em falta do modelo utilizando sinais de aviso. As trajetórias de ferramentas irão falhar muitas vezes partes da geometria pretendida." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Apresentar erros de modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Move a câmara de forma que o modelo fique no centro da visualização quando é selecionado um modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Centrar câmara ao selecionar item" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "O comportamento de zoom predefinido do Cura deve ser invertido?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Inverta a direção do zoom da câmera." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "O zoom deve deslocar-se na direção do rato?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Fazer zoom em direção ao rato não é suportado na perspetiva ortográfica." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Fazer Zoom na direção do rato" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Os modelos, na plataforma, devem ser movidos para que não se intersectem?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Garantir que os modelos não se interceptam" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Pousar os modelos na base de construção?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Pousar automaticamente os modelos na base de construção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Mostrar mensagem de aviso no leitor de g-code." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Mensagem de aviso no leitor de g-code" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "A vista por camada deve ser forçada a utilizar o modo de compatibilidade?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Forçar o modo de compatibilidade na visualização por camada (é necessário reiniciar)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "O Cura deve abrir na localização onde foi fechado?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Restaurar posição da janela ao iniciar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Que tipo de composição de câmara deve ser utilizado?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Composição de câmara:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspetiva" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ortográfica" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Abrir e guardar ficheiros" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Pretende que os ficheiros abertos a partir do ambiente de trabalho ou de aplicações externas sejam executados na mesma instância do Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Utilizar uma única instância do Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Limpar a base de construção antes de carregar um novo modelo na instância única do Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Limpar base de construção antes de carregar o modelo na instância única" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Os modelos devem ser redimensionados até ao volume de construção se forem demasiado grandes?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Redimensionar modelos demasiado grandes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Um modelo pode parecer extremamente pequeno se, por exemplo, este tiver sido criado em metros e não em milímetros. Estes modelos devem ser redimensionados?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Redimensionar modelos extremamente pequenos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Selecionar os modelos depois de abertos?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Selecionar os modelos depois de abertos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Deve um prefixo com base no nome da impressora ser adicionado ao nome do trabalho de impressão automaticamente?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Adicionar prefixo da máquina ao nome do trabalho" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Deve ser apresentado um resumo ao guardar um ficheiro de projeto?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Mostrar caixa de diálogo de resumo ao guardar projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Comportamento predefinido ao abrir um ficheiro de projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Comportamento predefinido ao abrir um ficheiro de projeto: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Perguntar sempre isto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Abrir sempre como projeto" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Importar sempre modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Quando tiver realizado alterações a um perfil e mudado para outro, será apresentada uma caixa de diálogo a perguntar se pretende manter as alterações. Caso contrário, pode escolher um comportamento predefinido, sendo que a caixa de diálogo nunca mais é apresentada." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Comportamento predefinido para valores de definição alterados ao mudar para um perfil diferente: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Descartar sempre definições alteradas" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Transferir sempre definições alteradas para o novo perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Privacidade" + +# rever! +# legal wording +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Podem alguns dados anónimos sobre a impressão ser enviados para a Ultimaker? Não são enviadas, nem armazenadas, quaisquer informações pessoais, incluindo modelos, endereços IP ou outro tipo de identificação pessoal." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Enviar dados (anónimos) sobre a impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Mais informações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Atualizações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "O Cura deve procurar atualizações quando o programa é iniciado?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Procurar atualizações ao iniciar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Quando se verificar se existem atualizações, verificar apenas a existência de versões estáveis." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Apenas versões estáveis" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Quando se verificar se existem atualizações, verificar tanto a existência de versões estáveis como de versões beta." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Versões estáveis e beta" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Fazer uma verificação automática de novos plug-ins sempre que o Cura for iniciado? Recomenda-se vivamente que não desative esta opção!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Receber notificações para atualizações de plug-ins" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Informações" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Confirmar Alteração de Diâmetro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "O novo diâmetro do filamento está definido como %1 mm, o que não é compatível com o extrusor actual. Pretende prosseguir?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Nome" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Tipo de Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Cor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Propriedades" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Densidade" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Diâmetro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Custo do Filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Peso do Filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Comprimento do filamento" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Custo por Metro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Este material está associado a %1 e partilha algumas das suas propriedades." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Desassociar Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Descrição" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Informações de Aderência" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Criar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Duplicar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Sincronizar com Impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Importar material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Não foi possível importar o material %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Material %1 importado com êxito" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Exportar Material" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Falha ao exportar material para %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Material exportado com êxito para %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Exportar Todos os Materiais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Visibilidade das Definições" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Selecionar tudo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Calculado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Definição" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Perfil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Atual" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Unidade" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Sem ligação a uma impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "A impressora não aceita comandos" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "Em manutenção. Verifique a impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Perdeu-se a ligação com a impressora" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "A imprimir..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Em pausa" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "A preparar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Remova a impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Cancelar impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Tem a certeza de que deseja cancelar a impressão?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Imprimir Modelo Selecionado com o %1" +msgstr[1] "Imprimir Modelos Selecionados com o %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "As minhas impressoras" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Monitorize as impressoras no Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Crie projetos de impressão na Digital Library." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Trabalhos em Impressão" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Monitorize os trabalhos de impressão e volte a imprimir a partir do histórico de impressão." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Tire mais partido do Ultimaker Cura com plug-ins e perfis de materiais." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Torne-se um perito em impressão 3D com os cursos de e-learning da Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Suporte da Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Saiba como começar a utilizar o Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Faça uma pergunta" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Consulte a Comunidade Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Reportar um erro" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Informe os programadores quando houver algum problema." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Visite o site da Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Controlo da impressora" + +# rever! +# contexto?! +# Jog? +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Posição de deslocação" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +# rever! +# contexto?! +# Jog? +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Distância de deslocação" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Enviar G-code" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Enviar um comando G-code personalizado para a impressora ligada. Prima \"Enter\" para enviar o comando." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Extrusor" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "A temperatura-alvo do extrusor. O extrusor irá aquecer ou arrefecer até esta temperatura. Se esta opção for definida como 0, o aquecimento do extrusor será desligado." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "A temperatura atual deste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "A temperatura-alvo de preaquecimento do extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Cancelar" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Preaquecer" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Aquecer o extrusor com antecedência antes de imprimir. Pode continuar a ajustar as definições de impressão durante o aquecimento e não precisará de esperar que o extrusor aqueça quando começar a impressão." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "A cor do material neste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "O material neste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "O nozzle inserido neste extrusor." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "A impressora não está ligada." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Base de construção" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "A temperatura desejada da base aquecida. A base irá aquecer ou arrefecer até esta temperatura. Se esta opção for definida como 0, o aquecimento da base será desligado." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "A temperatura atual da base aquecida." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "A temperatura de pré-aquecimento da base." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Aqueçer a base com antecedência antes de imprimir. Pode continuar a ajustar as definições de impressão durante o aquecimento e não precisará de esperar que a base aqueça quando começar a impressão." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Iniciar sessão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Adicione definições de materiais e plug-ins do Marketplace\n" +"- Efetue uma cópia de segurança e sincronize as definições de materiais e plug-ins\n" +"- Partilhe ideias e obtenha ajuda dos mais de 48.000 utilizadores da Comunidade Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Crie uma conta Ultimaker gratuita" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Atualização mais recente: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Conta Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Terminar sessão" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "A verificar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Conta sincronizada" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Ocorreu um problema..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Instalar atualizações pendentes" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Verificar atualizações de conta" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Sem título" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Nenhum item para selecionar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Mostrar Guia de resolução de problemas online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Alternar para ecrã inteiro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Sair do Ecrã Inteiro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Desfazer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Refazer" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Sair" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Vista 3D" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Vista Frente" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Vista Cima" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Vista Inferior" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Vista Lado Esquerdo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Vista Lado Direito" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Configurar Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Adicionar Impressora..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Gerir Im&pressoras..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Gerir Materiais..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Use o Mercado para adicionar outros materiais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Atualizar perfil com as definições/substituições atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Descartar alterações atuais" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "&Criar perfil a partir das definições/substituições atuais..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Gerir Perfis..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Mostrar &documentação online" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Reportar um &erro" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Novidades" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Sobre..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Apagar seleção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Centrar seleção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Multiplicar seleção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Apagar Modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Ce&ntrar Modelo na Base" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "&Agrupar Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Desagrupar Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Combinar Modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Multiplicar Modelo..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Selecionar todos os modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Limpar base de construção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Recarregar todos os modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Dispor todos os modelos em todas as bases de construção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Dispor todos os modelos" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Dispor seleção" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Repor todas as posições de modelos" + +# rever! +# Cancelar todas? +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Repor Todas as Transformações do Modelo" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Abrir Ficheiro(s)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Novo Projeto..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Mostrar pasta de configuração" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Configurar visibilidade das definições..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Mercado" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Esta definição não é utilizada porque todas as definições influenciadas foram substituídas." @@ -5395,27 +5837,27 @@ msgstr "Esta definição não é utilizada porque todas as definições influenc # Influencia? # Altera? # Modifica? -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Modifica" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Modificado Por" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Esta definição é sempre partilhada entre todos os extrusores. Ao alterá-la aqui, o valor será alterado em todos os extrusores." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Esta definição está resolvida a partir de valores específicos da extrusora em conflito:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5426,7 +5868,7 @@ msgstr "" "\n" "Clique para restaurar o valor do perfil." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5437,346 +5879,126 @@ msgstr "" "\n" "Clique para restaurar o valor calculado." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Procurar definições" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Copiar valor para todos os extrusores" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Copiar todos os valores alterados para todos os extrusores" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Esconder esta definição" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Não mostrar esta definição" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Manter esta definição visível" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Vista 3D" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Vista Frente" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Vista Cima" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Vista esquerda" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Vista direita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +# rever! +# ocultas? +# escondidas? +# valor normal? automatico? +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Ver tipo" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"Algumas das definições invisíveis têm valores diferentes dos valores normais calculados automaticamente.\n" +"\n" +"Clique para tornar estas definições visíveis." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Adicionar uma impressora de cloud" +msgid "This package will be installed after restarting." +msgstr "Este pacote será instalado após reiniciar." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "A aguardar resposta da cloud" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Definições" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Não foram encontradas impressoras na sua conta?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "A fechar %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "As seguintes impressoras na sua conta foram adicionadas no Cura:" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Tem a certeza de que pretende sair de %1?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Adicionar impressora manualmente" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Instalar Pacote" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Fabricante" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Abrir ficheiro(s)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Autor do perfil" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Encontrámos um ou mais ficheiros G-code nos ficheiros selecionados. Só é possível abrir um ficheiro G-code de cada vez. Se pretender abrir um ficheiro G-code, selecione apenas um." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Nome da impressora" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Adicionar Impressora" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Atribuir um nome à impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Adicionar uma impressora" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Adicionar uma impressora em rede" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Adicionar uma impressora sem rede" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Não foi encontrada nenhuma impressora na sua rede." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Atualizar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Adicionar impressora por IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Adicionar impressora de cloud" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Resolução de problemas" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Adicionar impressora por endereço IP" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Introduza o endereço IP da sua impressora." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Adicionar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Não foi possível ligar ao dispositivo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Não se consegue ligar a uma impressora Ultimaker?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "A impressora neste endereço ainda não respondeu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Não foi possível adicionar esta impressora porque é uma impressora desconhecida ou não aloja um grupo." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Anterior" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Ligar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Notas da versão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Adicione definições de materiais e plug-ins do Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Efetue uma cópia de segurança e sincronize as definições de materiais e plug-ins" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Partilhe ideias e obtenha ajuda dos mais de 48.000 utilizadores da Comunidade Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Ignorar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Crie uma Conta Ultimaker gratuita" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ajude-nos a melhorar o Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "O Ultimaker Cura recolhe dados anónimos para melhorar a qualidade da impressão e a experiência do utilizador, incluindo:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Tipos de máquina" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Utilização do material" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Número de segmentos" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Definições de impressão" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Os dados recolhidos pelo Ultimaker Cura não conterão quaisquer informações pessoais." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Mais informações" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Vazio" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Contrato de utilizador" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Rejeitar e fechar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Bem-vindo ao Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "Siga estes passos para configurar o Ultimaker Cura. Este processo irá demorar apenas alguns momentos." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Iniciar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Novidades" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Nenhum item para selecionar" - -#: ModelChecker/plugin.json +#: PerObjectSettingsTool/plugin.json msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Verifica potenciais problemas de impressão nos modelos e definições de impressão, e oferece sugestões." +msgid "Provides the Per Model Settings." +msgstr "Fornece as definições por-modelo." -#: ModelChecker/plugin.json +#: PerObjectSettingsTool/plugin.json msgctxt "name" -msgid "Model Checker" -msgstr "Verificador de Modelos" +msgid "Per Model Settings Tool" +msgstr "Ferramenta de definições Por-Modelo" -#: 3MFReader/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Fornece suporte para ler ficheiros 3MF." +msgid "Provides support for importing Cura profiles." +msgstr "Fornece suporte para importar perfis Cura." -#: 3MFReader/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "3MF Reader" -msgstr "Leitor de 3MF" +msgid "Cura Profile Reader" +msgstr "Leitor de Perfis Cura" -#: 3MFWriter/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Possiblita a gravação de ficheiros 3MF." +msgid "Provides support for reading X3D files." +msgstr "Fornece suporte para ler ficheiros X3D." -#: 3MFWriter/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "3MF Writer" -msgstr "Gravador 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Fornece suporte para ler ficheiros AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Leitor de AMF" +msgid "X3D Reader" +msgstr "Leitor de X3D" #: CuraDrive/plugin.json msgctxt "description" @@ -5788,6 +6010,116 @@ msgctxt "name" msgid "Cura Backups" msgstr "Cópias de segurança do Cura" +#: MachineSettingsAction/plugin.json +msgctxt "description" +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Proporciona uma forma de alterar as definições da máquina (tal como o volume de construção, o tamanho do nozzle, etc.)." + +#: MachineSettingsAction/plugin.json +msgctxt "name" +msgid "Machine Settings Action" +msgstr "Função Definições da Máquina" + +#: SupportEraser/plugin.json +msgctxt "description" +msgid "Creates an eraser mesh to block the printing of support in certain places" +msgstr "Cria um objecto usado para eliminar a impressão de suportes em certas zonas" + +#: SupportEraser/plugin.json +msgctxt "name" +msgid "Support Eraser" +msgstr "Eliminador de suportes" + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "description" +msgid "Provides removable drive hotplugging and writing support." +msgstr "Fornece suporte de ligação da unidade amovível e suporte de gravação." + +#: RemovableDriveOutputDevice/plugin.json +msgctxt "name" +msgid "Removable Drive Output Device Plugin" +msgstr "Plug-in de dispositivo de saída da unidade amovível" + +#: FirmwareUpdater/plugin.json +msgctxt "description" +msgid "Provides a machine actions for updating firmware." +msgstr "Disponibiliza as ações da máquina para atualizar o firmware." + +#: FirmwareUpdater/plugin.json +msgctxt "name" +msgid "Firmware Updater" +msgstr "Atualizador de firmware" + +#: LegacyProfileReader/plugin.json +msgctxt "description" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Permite importar perfis de versões antigas do Cura." + +#: LegacyProfileReader/plugin.json +msgctxt "name" +msgid "Legacy Cura Profile Reader" +msgstr "Leitor de perfis antigos do Cura" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Fornece suporte para ler ficheiros 3MF." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Leitor de 3MF" + +#: UFPWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing Ultimaker Format Packages." +msgstr "Permite a gravação de arquivos Ultimaker Format." + +#: UFPWriter/plugin.json +msgctxt "name" +msgid "UFP Writer" +msgstr "Gravador de UFP" + +#: SentryLogger/plugin.json +msgctxt "description" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Regista determinados eventos para que possam ser utilizados pelo \"crash reporter\"" + +#: SentryLogger/plugin.json +msgctxt "name" +msgid "Sentry Logger" +msgstr "Sentry Logger" + +#: GCodeProfileReader/plugin.json +msgctxt "description" +msgid "Provides support for importing profiles from g-code files." +msgstr "Permite importar perfis a partir de ficheiros g-code." + +#: GCodeProfileReader/plugin.json +msgctxt "name" +msgid "G-code Profile Reader" +msgstr "Leitor de perfis G-code" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Fornece uma fase de pré-visualização no Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Fase de pré-visualização" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Permite a visualização em Raio-X." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Vista Raio-X" + #: CuraEngineBackend/plugin.json msgctxt "description" msgid "Provides the link to the CuraEngine slicing backend." @@ -5798,15 +6130,35 @@ msgctxt "name" msgid "CuraEngine Backend" msgstr "Back-end do CuraEngine" -#: CuraProfileReader/plugin.json +#: AMFReader/plugin.json msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Fornece suporte para importar perfis Cura." +msgid "Provides support for reading AMF files." +msgstr "Fornece suporte para ler ficheiros AMF." -#: CuraProfileReader/plugin.json +#: AMFReader/plugin.json msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Leitor de Perfis Cura" +msgid "AMF Reader" +msgstr "Leitor de AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Lê o g-code a partir de um arquivo comprimido." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Leitor de G-code comprimido" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Extensão que permite a utilização de scripts criados pelo utilizador para efeitos de pós-processamento" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Pós-Processamento" # rever! # Fornece suporte para exportar perfis Cura. @@ -5820,145 +6172,15 @@ msgctxt "name" msgid "Cura Profile Writer" msgstr "Gravador de perfis Cura" -#: DigitalLibrary/plugin.json +#: USBPrinting/plugin.json msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Liga à Biblioteca Digital, permitindo ao Cura abrir ficheiros da Biblioteca Digital e guardar ficheiros na mesma." +msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." +msgstr "Aceita G-Codes e envia-os para uma impressora. O plug-in também pode atualizar firmware." -#: DigitalLibrary/plugin.json +#: USBPrinting/plugin.json msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Biblioteca Digital Ultimaker" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Procura e verifica se existem atualizações de firmware." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Verificador Atualizações Firmware" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Disponibiliza as ações da máquina para atualizar o firmware." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Atualizador de firmware" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Lê o g-code a partir de um arquivo comprimido." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Leitor de G-code comprimido" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Grava o g-code num arquivo comprimido." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Gravador de G-code comprimido" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Permite importar perfis a partir de ficheiros g-code." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Leitor de perfis G-code" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Permite abrir e visualizar ficheiros G-code." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Leitor de G-code" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Grava o g-code num ficheiro." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Gravador de G-code" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Permite gerar geometria imprimível a partir de ficheiros de imagem 2D." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Leitor de imagens" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Permite importar perfis de versões antigas do Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Leitor de perfis antigos do Cura" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Proporciona uma forma de alterar as definições da máquina (tal como o volume de construção, o tamanho do nozzle, etc.)." - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Função Definições da Máquina" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Fornece uma fase de monitorização no Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Fase de monitorização" - -#: PerObjectSettingsTool/plugin.json -msgctxt "description" -msgid "Provides the Per Model Settings." -msgstr "Fornece as definições por-modelo." - -#: PerObjectSettingsTool/plugin.json -msgctxt "name" -msgid "Per Model Settings Tool" -msgstr "Ferramenta de definições Por-Modelo" - -#: PostProcessingPlugin/plugin.json -msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Extensão que permite a utilização de scripts criados pelo utilizador para efeitos de pós-processamento" - -#: PostProcessingPlugin/plugin.json -msgctxt "name" -msgid "Post Processing" -msgstr "Pós-Processamento" +msgid "USB printing" +msgstr "Impressão USB" #: PrepareStage/plugin.json msgctxt "description" @@ -5970,35 +6192,105 @@ msgctxt "name" msgid "Prepare Stage" msgstr "Fase de preparação" -#: PreviewStage/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Fornece uma fase de pré-visualização no Cura." +msgid "Allows loading and displaying G-code files." +msgstr "Permite abrir e visualizar ficheiros G-code." -#: PreviewStage/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Fase de pré-visualização" +msgid "G-code Reader" +msgstr "Leitor de G-code" -#: RemovableDriveOutputDevice/plugin.json +#: ImageReader/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Fornece suporte de ligação da unidade amovível e suporte de gravação." +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Permite gerar geometria imprimível a partir de ficheiros de imagem 2D." -#: RemovableDriveOutputDevice/plugin.json +#: ImageReader/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Plug-in de dispositivo de saída da unidade amovível" +msgid "Image Reader" +msgstr "Leitor de imagens" -#: SentryLogger/plugin.json +#: UltimakerMachineActions/plugin.json msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Regista determinados eventos para que possam ser utilizados pelo \"crash reporter\"" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Disponibiliza funções especificas para as máquinas Ultimaker (tais como, o assistente de nivelamento da base, seleção de atualizações, etc.)." -#: SentryLogger/plugin.json +#: UltimakerMachineActions/plugin.json msgctxt "name" -msgid "Sentry Logger" -msgstr "Sentry Logger" +msgid "Ultimaker machine actions" +msgstr "Funções para impressoras Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Grava o g-code num arquivo comprimido." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Gravador de G-code comprimido" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Procura e verifica se existem atualizações de firmware." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Verificador Atualizações Firmware" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Envia informações anónimas sobre o seccionamento. Pode ser desativado nas preferências." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Informações do seccionamento" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Fornece capacidades para ler e gravar perfis de material com base em XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Perfis de Materiais" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Liga à Biblioteca Digital, permitindo ao Cura abrir ficheiros da Biblioteca Digital e guardar ficheiros na mesma." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Biblioteca Digital Ultimaker" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Encontre, organize e instale novos pacotes para o Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Toolbox" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Grava o g-code num ficheiro." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Gravador de G-code" #: SimulationView/plugin.json msgctxt "description" @@ -6011,125 +6303,15 @@ msgctxt "name" msgid "Simulation View" msgstr "Visualização por camadas" -#: SliceInfoPlugin/plugin.json +#: VersionUpgrade/VersionUpgrade45to46/plugin.json msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Envia informações anónimas sobre o seccionamento. Pode ser desativado nas preferências." +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Atualiza as configurações do Cura 4.5 para o Cura 4.6." -#: SliceInfoPlugin/plugin.json +#: VersionUpgrade/VersionUpgrade45to46/plugin.json msgctxt "name" -msgid "Slice info" -msgstr "Informações do seccionamento" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Permite a visualização (simples) dos objetos como sólidos." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Vista Sólidos" - -#: SupportEraser/plugin.json -msgctxt "description" -msgid "Creates an eraser mesh to block the printing of support in certain places" -msgstr "Cria um objecto usado para eliminar a impressão de suportes em certas zonas" - -#: SupportEraser/plugin.json -msgctxt "name" -msgid "Support Eraser" -msgstr "Eliminador de suportes" - -#: Toolbox/plugin.json -msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Encontre, organize e instale novos pacotes para o Cura." - -#: Toolbox/plugin.json -msgctxt "name" -msgid "Toolbox" -msgstr "Toolbox" - -#: TrimeshReader/plugin.json -msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Fornece suporte para a leitura de ficheiros modelo." - -#: TrimeshReader/plugin.json -msgctxt "name" -msgid "Trimesh Reader" -msgstr "Leitor de Trimesh" - -#: UFPReader/plugin.json -msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Fornece suporte para ler pacotes de formato Ultimaker." - -#: UFPReader/plugin.json -msgctxt "name" -msgid "UFP Reader" -msgstr "Leitor de UFP" - -#: UFPWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing Ultimaker Format Packages." -msgstr "Permite a gravação de arquivos Ultimaker Format." - -#: UFPWriter/plugin.json -msgctxt "name" -msgid "UFP Writer" -msgstr "Gravador de UFP" - -#: UltimakerMachineActions/plugin.json -msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Disponibiliza funções especificas para as máquinas Ultimaker (tais como, o assistente de nivelamento da base, seleção de atualizações, etc.)." - -#: UltimakerMachineActions/plugin.json -msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Funções para impressoras Ultimaker" - -#: UM3NetworkPrinting/plugin.json -msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Gere as ligações de rede com as impressoras em rede Ultimaker." - -#: UM3NetworkPrinting/plugin.json -msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ligação de rede Ultimaker" - -#: USBPrinting/plugin.json -msgctxt "description" -msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware." -msgstr "Aceita G-Codes e envia-os para uma impressora. O plug-in também pode atualizar firmware." - -#: USBPrinting/plugin.json -msgctxt "name" -msgid "USB printing" -msgstr "Impressão USB" - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Atualiza as configurações do Cura 2.1 para o Cura 2.2." - -#: VersionUpgrade/VersionUpgrade21to22/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Atualização da versão 2.1 para 2.2" - -#: VersionUpgrade/VersionUpgrade22to24/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Atualiza as configurações do Cura 2.2 para o Cura 2.4." - -#: VersionUpgrade/VersionUpgrade22to24/plugin.json -msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Atualização da versão 2.2 para 2.4" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Atualização da versão 4.5 para a versão 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6141,55 +6323,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Atualização da versão 2.5 para 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Atualiza as configurações do Cura 2.6 para o Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Atualiza as configurações do Cura 4.6.0 para o Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Atualização da versão 2.6 para 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Atualização da versão 4.6.0 para a versão 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Atualiza as configurações do Cura 2.7 para o Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Atualiza as configurações do Cura 4.7 para o Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Atualização da versão 2.7 para 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Atualiza as configurações do Cura 3.0 para o Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Atualização da versão 3.0 para 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Atualiza as configurações do Cura 3.2 para o Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Atualização da versão 3.2 para 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Atualiza as configurações do Cura 3.3 para o Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Atualização da versão 3.3 para 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Atualização da versão 4.7 para 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6201,45 +6353,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Atualização da versão 3.4 para 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Atualiza as configurações do Cura 3.5 para o Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Atualiza as configurações do Cura 2.1 para o Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Atualização da versão 3.5 para 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Atualização da versão 2.1 para 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Atualiza as configurações do Cura 4.0 para o Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Atualiza as configurações do Cura 3.2 para o Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Atualização da versão 4.0 para 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Atualização da versão 3.2 para 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Atualiza as configurações do Cura 4.11 para o Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Atualiza as configurações do Cura 4.8 para o Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Atualização da versão 4.11 para a versão 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Atualização da versão 4.8 para 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Atualiza as configurações do Cura 4.1 para o Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Atualiza as configurações do Cura 4.6.2 para o Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Atualização da versão 4.1 para 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Atualização da versão 4.6.2 para a versão 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6261,66 +6413,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Atualização da versão 4.3 para 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Atualiza as configurações do Cura 4.4 para o Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Atualização da versão 4.4 para a versão 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Atualiza as configurações do Cura 4.5 para o Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Atualização da versão 4.5 para a versão 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Atualiza as configurações do Cura 4.6.0 para o Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Atualização da versão 4.6.0 para a versão 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Atualiza as configurações do Cura 4.6.2 para o Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Atualização da versão 4.6.2 para a versão 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Atualiza as configurações do Cura 4.7 para o Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Atualização da versão 4.7 para 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Atualiza as configurações do Cura 4.8 para o Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Atualização da versão 4.8 para 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6331,35 +6423,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Atualização da versão 4.9 para 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Fornece suporte para ler ficheiros X3D." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Atualiza as configurações do Cura 2.7 para o Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Leitor de X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Atualização da versão 2.7 para 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Fornece capacidades para ler e gravar perfis de material com base em XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Atualiza as configurações do Cura 2.6 para o Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Perfis de Materiais" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Atualização da versão 2.6 para 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Permite a visualização em Raio-X." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Atualiza as configurações do Cura 4.11 para o Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Vista Raio-X" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Atualização da versão 4.11 para a versão 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Atualiza as configurações do Cura 3.3 para o Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Atualização da versão 3.3 para 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Atualiza as configurações do Cura 3.0 para o Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Atualização da versão 3.0 para 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Atualiza as configurações do Cura 4.0 para o Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Atualização da versão 4.0 para 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Atualiza as configurações do Cura 4.4 para o Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Atualização da versão 4.4 para a versão 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Atualiza as configurações do Cura 2.2 para o Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Atualização da versão 2.2 para 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Atualiza as configurações do Cura 4.1 para o Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Atualização da versão 4.1 para 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Atualiza as configurações do Cura 3.5 para o Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Atualização da versão 3.5 para 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Gere as ligações de rede com as impressoras em rede Ultimaker." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ligação de rede Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Fornece suporte para a leitura de ficheiros modelo." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Leitor de Trimesh" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Fornece suporte para ler pacotes de formato Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Leitor de UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Permite a visualização (simples) dos objetos como sólidos." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Vista Sólidos" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Possiblita a gravação de ficheiros 3MF." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Gravador 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Fornece uma fase de monitorização no Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Fase de monitorização" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Verifica potenciais problemas de impressão nos modelos e definições de impressão, e oferece sugestões." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Verificador de Modelos" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/pt_PT/fdmextruder.def.json.po b/resources/i18n/pt_PT/fdmextruder.def.json.po index 55382aa6d1..d843296f89 100644 --- a/resources/i18n/pt_PT/fdmextruder.def.json.po +++ b/resources/i18n/pt_PT/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 14:56+0200\n" "Last-Translator: Portuguese \n" "Language-Team: Paulo Miranda , Portuguese \n" diff --git a/resources/i18n/pt_PT/fdmprinter.def.json.po b/resources/i18n/pt_PT/fdmprinter.def.json.po index ab70866d3a..3fa562955d 100644 --- a/resources/i18n/pt_PT/fdmprinter.def.json.po +++ b/resources/i18n/pt_PT/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 14:56+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Portuguese , Paulo Miranda , Portuguese \n" @@ -54,8 +54,10 @@ msgstr "G-code Inicial" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "Comandos G-code a serem executados no início – separados por \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -64,8 +66,10 @@ msgstr "G-code Final" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "Comandos G-code a serem executados no fim – separados por \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -147,6 +151,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "A profundidade (direção Y) da área de impressão." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Altura da Máquina" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "A altura (direção Z) da área de impressão." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -187,16 +201,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Alumínio" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Altura da Máquina" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "A altura (direção Z) da área de impressão." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -558,8 +562,8 @@ msgstr "A velocidade máxima do motor da direção Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Velocidade Máxima de Alimentação" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1778,12 +1782,8 @@ msgstr "Padrão de Enchimento" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "O padrão do material de enchimento da impressão. A linha e o enchimento em ziguezague mudam de direção em camadas alternativas, o que reduz o custo do" -" material. Os padrões em grelha, triângulo, tri-hexágono, octeto, quarto cúbico, cruz e concêntricos são totalmente impressos em cada camada. Os enchimentos" -" gyroid, cúbico, quarto cúbico e octeto mudam em cada camada para proporcionar uma distribuição mais uniforme da resistência em cada direção. O enchimento" -" relâmpago tenta minimizar o enchimento, ao suportar apenas as partes superiores (internas) do objeto. Como tal, a percentagem de enchimento só é \"válida\"" -" uma camada abaixo do que for necessário para suportar o modelo." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2099,9 +2099,8 @@ msgstr "Ângulo de corte do enchimento relâmpago" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "A diferença que uma camada de enchimento relâmpago pode ter com uma imediatamente acima no que diz respeito ao corte das extremidades exteriores das árvores." -" Medido como um ângulo conforme a espessura." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2110,9 +2109,8 @@ msgstr "Ângulo de alisamento do enchimento relâmpago" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "A diferença que uma camada de enchimento relâmpago pode ter com uma imediatamente acima no que diz respeito ao alisamento das árvores. Medido como um ângulo" -" conforme a espessura." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6645,6 +6643,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Matriz de transformação a ser aplicada ao modelo quando abrir o ficheiro." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "Comandos G-code a serem executados no início – separados por \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "Comandos G-code a serem executados no fim – separados por \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Velocidade Máxima de Alimentação" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "O padrão do material de enchimento da impressão. A linha e o enchimento em ziguezague mudam de direção em camadas alternativas, o que reduz o custo do material. Os padrões em grelha, triângulo, tri-hexágono, octeto, quarto cúbico, cruz e concêntricos são totalmente impressos em cada camada. Os enchimentos gyroid, cúbico, quarto cúbico e octeto mudam em cada camada para proporcionar uma distribuição mais uniforme da resistência em cada direção. O enchimento relâmpago tenta minimizar o enchimento, ao suportar apenas as partes superiores (internas) do objeto. Como tal, a percentagem de enchimento só é \"válida\" uma camada abaixo do que for necessário para suportar o modelo." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "A diferença que uma camada de enchimento relâmpago pode ter com uma imediatamente acima no que diz respeito ao corte das extremidades exteriores das árvores. Medido como um ângulo conforme a espessura." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "A diferença que uma camada de enchimento relâmpago pode ter com uma imediatamente acima no que diz respeito ao alisamento das árvores. Medido como um ângulo conforme a espessura." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "O padrão do material de enchimento da impressão. A direção de troca de enchimento de linha e ziguezague em camadas alternadas, reduzindo os custos de material. Os padrões de grelha, triângulo, tri-hexágono, cubo, octeto, quarto cúbico, cruz e concêntrico são totalmente impressos em cada camada. Os enchimentos Gyroid, cúbico, quarto cúbico e octeto são alterados a cada camada para fornecer uma distribuição mais uniforme da resistência em cada direção." diff --git a/resources/i18n/ru_RU/cura.po b/resources/i18n/ru_RU/cura.po index 400fa9ee7a..8403c2f1fb 100644 --- a/resources/i18n/ru_RU/cura.po +++ b/resources/i18n/ru_RU/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-09-07 08:08+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Russian , Ruslan Popov , Russian \n" @@ -17,212 +17,449 @@ msgstr "" "X-Generator: Poedit 3.0\n" "Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Неизвестно" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Не удалось создать архив из каталога с данными пользователя: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Перечисленные ниже принтеры невозможно подключить, поскольку они входят в состав группы" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Резервное копирование" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Доступные сетевые принтеры" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Попытка восстановить резервную копию Cura при отсутствии необходимых данных или метаданных." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Не переопределен" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Выполнена попытка восстановить резервную копию Cura с более поздней версией, чем текущая." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "При попытке восстановить резервную копию Cura произошла следующая ошибка:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Перед началом печати синхронизируйте профили материалов с принтерами." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Установлены новые материалы" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Синхронизировать материалы с принтерами" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Узнать больше" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Невозможно сохранить архив материалов в {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Архив материалов не сохранен" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Высота печатаемого объёма была уменьшена до значения параметра \"Последовательность печати\", чтобы предотвратить касание портала за напечатанные детали." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Объём печати" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "Действительно удалить {0}? Это действие невозможно будет отменить!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Не переопределен" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Неизвестно" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Перечисленные ниже принтеры невозможно подключить, поскольку они входят в состав группы" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Доступные сетевые принтеры" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Визуальный" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Визуальный профиль предназначен для печати визуальных прототипов и моделей, для которых требуется высокое качество поверхности и внешнего вида." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Инженерный профиль предназначен для печати функциональных прототипов и готовых деталей, для которых требуется высокая точность и малые допуски." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Черновой" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Черновой профиль предназначен для печати начальных прототипов и проверки концепции, где приоритетом является скорость печати." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Перед началом печати синхронизируйте профили материалов с принтерами." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Установлены новые материалы" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Синхронизировать материалы с принтерами" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Узнать больше" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Собственный материал" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Своё" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Невозможно сохранить архив материалов в {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Архив материалов не сохранен" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Собственные профили" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Все поддерживаемые типы ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Все файлы (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Визуальный" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Визуальный профиль предназначен для печати визуальных прототипов и моделей, для которых требуется высокое качество поверхности и внешнего вида." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Инженерный профиль предназначен для печати функциональных прототипов и готовых деталей, для которых требуется высокая точность и малые допуски." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Черновой" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Черновой профиль предназначен для печати начальных прототипов и проверки концепции, где приоритетом является скорость печати." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Собственный материал" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Своё" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Вход не выполнен" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Поиск места для новых объектов" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Поиск места" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Невозможно разместить все объекты внутри печатаемого объёма" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Не могу найти место" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Не удалось создать архив из каталога с данными пользователя: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Резервное копирование" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Попытка восстановить резервную копию Cura при отсутствии необходимых данных или метаданных." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Выполнена попытка восстановить резервную копию Cura с более поздней версией, чем текущая." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "При попытке восстановить резервную копию Cura произошла следующая ошибка:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Загрузка принтеров..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Настройка параметров..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Инициализация активной машины..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Инициализация диспетчера машин..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Инициализация объема печати..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Настройка сцены..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Загрузка интерфейса..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Инициализация ядра..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f мм" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Высота печатаемого объёма была уменьшена до значения параметра \"Последовательность печати\", чтобы предотвратить касание портала за напечатанные детали." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Только один G-code файла может быть загружен в момент времени. Пропускаю импортирование {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Объём печати" +msgid "Warning" +msgstr "Внимание" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "Невозможно открыть любой другой файл, если G-code файл уже загружен. Пропускаю импортирование {0}" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Ошибка" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Пропустить" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Закрыть" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Следующий" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Завершить" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Добавить" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "Отмена" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Группа #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Внешняя стенка" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "Внутренние стенки" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Покрытие" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Заполнение" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Заполнение поддержек" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Связующий слой поддержек" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Поддержки" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Юбка" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Черновая башня" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Перемещение" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Откаты" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Другое" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Невозможно открыть примечания к версии." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Не удалось запустить Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    Отправьте нам этот отчет о сбое для устранения проблемы.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Отправить отчет о сбое в Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Показать подробный отчет о сбое" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Показать конфигурационный каталог" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Резервное копирование и сброс конфигурации" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Отчёт о сбое" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,702 +510,641 @@ msgstr "" "

    Нажмите кнопку «Отправить отчет», чтобы автоматически опубликовать отчет об ошибке на наших серверах

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Информация о системе" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Неизвестно" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Версия Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Язык Cura" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "Язык ОС" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Платформа" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Версия Qt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "Версия PyQt" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Еще не инициализировано
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • Версия OpenGL: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • Поставщик OpenGL: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • Средство визуализации OpenGL: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Обратное отслеживание ошибки" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Журналы" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Отправить отчёт" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Загрузка принтеров..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Настройка параметров..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Инициализация активной машины..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Инициализация диспетчера машин..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Инициализация объема печати..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Настройка сцены..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Загрузка интерфейса..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Инициализация ядра..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f мм" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Только один G-code файла может быть загружен в момент времени. Пропускаю импортирование {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Внимание" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "Невозможно открыть любой другой файл, если G-code файл уже загружен. Пропускаю импортирование {0}" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Ошибка" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Размножение и размещение объектов" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Размещение объектов" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Размещение объекта" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Не удалось прочитать ответ." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "Указано неверное состояние." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Дайте необходимые разрешения при авторизации в этом приложении." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Возникла непредвиденная ошибка при попытке входа в систему. Повторите попытку." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Невозможно начать новый вход в систему. Проверьте, возможно другой сеанс еще не завершен." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Нет связи с сервером учетных записей Ultimaker." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "Указано неверное состояние." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Дайте необходимые разрешения при авторизации в этом приложении." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Возникла непредвиденная ошибка при попытке входа в систему. Повторите попытку." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Не удалось прочитать ответ." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Размножение и размещение объектов" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Размещение объектов" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Размещение объекта" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Не поддерживается" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Сопло" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Настройки изменены в соответствии с текущей доступностью экструдеров:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Настройки обновлены" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Экструдер (-ы) отключен (-ы)" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Файл уже существует" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Файл {0} уже существует. Вы уверены, что желаете перезаписать его?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Неправильный URL-адрес файла:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Невозможно экспортировать профиль в {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Невозможно экспортировать профиль в {0}: Плагин записи уведомил об ошибке." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Экспортирование профиля в {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Экспорт успешно завершен" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "Не удалось импортировать профиль из {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Невозможно импортировать профиль из {0}, пока не добавлен принтер." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "Отсутствует собственный профиль для импорта в файл {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "Не удалось импортировать профиль из {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Данный профиль {0} содержит неверные данные, поэтому его невозможно импортировать." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "Не удалось импортировать профиль из {0}:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "Профиль {0} успешно импортирован." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "В файле {0} нет подходящих профилей." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Профиль {0} имеет неизвестный тип файла или повреждён." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Собственный профиль" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "У профайла отсутствует тип качества." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Еще нет активных принтеров." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Невозможно добавить профиль." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "Тип качества \"{0}\" несовместим с текущим определением активной машины \"{1}\"." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Внимание! Профиль не отображается, так как его тип качества \"{0}\" недоступен для текущей конфигурации. Выберите комбинацию материала и сопла, которым подходит этот тип качества." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Не поддерживается" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Сопло" +msgid "Per Model Settings" +msgstr "Параметры модели" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Настройки изменены в соответствии с текущей доступностью экструдеров:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Правка параметров модели" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Профиль Cura" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "Файл X3D" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "При попытке восстановления данных из резервной копии возникла ошибка." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Настройки обновлены" +msgid "Backups" +msgstr "Резервные копии" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Экструдер (-ы) отключен (-ы)" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "При заливке вашей резервной копии возникла ошибка." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Добавить" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Создание резервной копии..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Завершить" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "При создании резервной копии возникла ошибка." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "Отмена" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Выполняется заливка вашей резервной копии..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Заливка вашей резервной копии завершена." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "Размер файла резервной копии превышает максимально допустимый." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Управление резервными копиями" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Параметры принтера" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Блокировщик поддержки" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Создание объема без печати элементов поддержки." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Внешний носитель" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Сохранить на внешний носитель" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Группа #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Сохранить на внешний носитель {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Внешняя стенка" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Ни один из форматов файлов не доступен для записи!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "Внутренние стенки" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Сохранение на внешний носитель {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Покрытие" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Заполнение" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Заполнение поддержек" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Связующий слой поддержек" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Поддержки" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Юбка" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Черновая башня" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Перемещение" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Откаты" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Другое" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Невозможно открыть примечания к версии." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Следующий" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Пропустить" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Закрыть" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "Помощник по 3D-моделям" +msgid "Saving" +msgstr "Сохранение" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "Не могу записать {0}: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "Не могу найти имя файла при записи в {device}." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Одна или несколько 3D-моделей могут не напечататься оптимальным образом из-за размера модели и конфигурации материала:

    \n" -"

    {model_names}

    \n" -"

    Узнайте, как обеспечить максимально возможное качество и высокую надежность печати.

    \n" -"

    Ознакомиться с руководством по качеству печати

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Невозможно сохранить на внешний носитель {0}: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Сохранено на внешний носитель {0} как {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Файл сохранён" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Извлечь" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Извлекает внешний носитель {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Извлечено {0}. Вы можете теперь безопасно извлечь носитель." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Безопасное извлечение устройства" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Невозможно извлечь {0}. Другая программа может использовать это устройство." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Обновить прошивку" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Профили Cura 15.04" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Рекомендованная" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Своя" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Файл проекта {0} содержит неизвестный тип принтера {1}. Не удалось импортировать принтер. Вместо этого будут импортированы модели." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Открыть файл проекта" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "Файл проекта {0} внезапно стал недоступен: {1}.." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Невозможно открыть файл проекта" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Файл проекта {0} поврежден: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "Файл проекта {0} создан с использованием профилей, несовместимых с данной версией Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Рекомендованная" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Своя" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "Файл 3MF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "Подключаемый модуль для записи 3MF поврежден." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "Невозможно записать в файл UFP:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Права на запись рабочей среды отсутствуют." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "Операционная система не позволяет сохранять файл проекта в этом каталоге или с этим именем файла." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "Ошибка в ходе записи файла 3MF." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF файл" +msgid "Ultimaker Format Package" +msgstr "Пакет формата Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "3MF файл проекта Cura" +msgid "G-code File" +msgstr "Файл G-code" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "Файл AMF" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Резервные копии" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "При заливке вашей резервной копии возникла ошибка." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Создание резервной копии..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "При создании резервной копии возникла ошибка." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Выполняется заливка вашей резервной копии..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Заливка вашей резервной копии завершена." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Размер файла резервной копии превышает максимально допустимый." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "При попытке восстановления данных из резервной копии возникла ошибка." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Управление резервными копиями" +msgid "Preview" +msgstr "Предварительный просмотр" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Просмотр в рентгене" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Обработка слоёв" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Информация" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Нарезка на слои не выполнена из-за непредвиденной ошибки. Возможно, стоит сообщить об ошибке в нашей системе отслеживания проблем." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Нарезка на слои не выполнена" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Сообщить об ошибке" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Сообщите об ошибке в системе отслеживания проблем Ultimaker Cura." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Невозможно нарезать модель, используя текущий материал, так как он несовместим с выбранной машиной или конфигурацией." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Невозможно нарезать" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Не могу выполнить слайсинг на текущих настройках. Проверьте следующие настройки: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Не удалось выполнить слайсинг из-за настроек модели. Следующие настройки ошибочны для одной или нескольких моделей: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "Слайсинг невозможен, так как черновая башня или её позиция неверные." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Невозможно разделить на слои из-за наличия объектов, связанных с отключенным экструдером %s." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -981,462 +1157,423 @@ msgstr "" "- назначены активированному экструдеру\n" "- не заданы как объекты-модификаторы" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Обработка слоёв" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Информация" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Профиль Cura" +msgid "AMF File" +msgstr "Файл AMF" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Сжатый файл с G-кодом" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Пост-обработка" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "Изменить G-код" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "Печать через USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "Печатать через USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "Печатать через USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "Подключено через USB" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "Выполняется печать через USB, закрытие Cura остановит эту печать. Вы уверены?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Печать еще выполняется. Cura не может начать другую печать через USB, пока предыдущая печать не будет завершена." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Идет печать" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Подготовка" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "Обработка G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "Параметры G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Перед отправкой G-code на принтер удостоверьтесь в его соответствии вашему принтеру и его настройкам. Возможны неточности в G-code." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "Файл G" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG изображение" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG изображение" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG изображение" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP изображение" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF изображение" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Выравнивание стола" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Выбор обновлений" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "Средство записи G-кода с расширением GZ (GCodeGzWriter) не поддерживает текстовый режим." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Не могу получить информацию об обновлениях." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "Для {machine_name} доступны новые функции или исправления! Если у вас не установлена самая последняя версия прошивки принтера, рекомендуем обновить ее до версии {latest_version}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Доступна новая стабильная прошивка %s" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Порядок обновления" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Обновить прошивку" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Сжатый файл с G-кодом" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "Средство записи G-кода с расширением GZ (GCodeGzWriter) не поддерживает текстовый режим." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "Файл G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "Обработка G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "Параметры G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Перед отправкой G-code на принтер удостоверьтесь в его соответствии вашему принтеру и его настройкам. Возможны неточности в G-code." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "Файл G" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "Средство записи G-кода (GCodeWriter) не поддерживает нетекстовый режим." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Подготовьте G-код перед экспортом." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG изображение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG изображение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG изображение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP изображение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF изображение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Профили Cura 15.04" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Параметры принтера" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Монитор" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Параметры модели" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Правка параметров модели" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Пост-обработка" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "Изменить G-код" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Подготовка" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Предварительный просмотр" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Сохранить на внешний носитель" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Сохранить на внешний носитель {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Ни один из форматов файлов не доступен для записи!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Сохранение на внешний носитель {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Сохранение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "Не могу записать {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "Не могу найти имя файла при записи в {device}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Невозможно сохранить на внешний носитель {0}: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Сохранено на внешний носитель {0} как {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Файл сохранён" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Извлечь" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Извлекает внешний носитель {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Извлечено {0}. Вы можете теперь безопасно извлечь носитель." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Безопасное извлечение устройства" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Невозможно извлечь {0}. Другая программа может использовать это устройство." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Внешний носитель" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "При печати через кабель Cura отображает слои неточно." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Вид моделирования" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Ничего не отображается, поскольку сначала нужно выполнить нарезку на слои." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Нет слоев для отображения" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Больше не показывать это сообщение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Просмотр слоёв" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Невозможно прочитать пример файла данных." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Выделены области с отсутствующими или лишними поверхностями. Исправьте модель и снова откройте ее в Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Ошибки модели" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Просмотр модели" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Блокировщик поддержки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Создание объема без печати элементов поддержки." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Хотите синхронизировать пакеты материалов и программного обеспечения со своей учетной записью?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "В вашей учетной записи Ultimaker обнаружены изменения" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Синхронизация" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Синхронизация..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Отклонить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Принимаю" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Лицензионное соглашение плагина" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Отклонить и удалить из учетной записи" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Для активации изменений вам потребуется завершить работу программного обеспечения {} и перезапустить его." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Синхронизация..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "В вашей учетной записи Ultimaker обнаружены изменения" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Хотите синхронизировать пакеты материалов и программного обеспечения со своей учетной записью?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Синхронизация" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Отклонить и удалить из учетной записи" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "Встраиваемые модули ({} шт.) не загружены" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Отклонить" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Принимаю" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Лицензионное соглашение плагина" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "Средство записи G-кода (GCodeWriter) не поддерживает нетекстовый режим." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Подготовьте G-код перед экспортом." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "При печати через кабель Cura отображает слои неточно." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Вид моделирования" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Ничего не отображается, поскольку сначала нужно выполнить нарезку на слои." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Нет слоев для отображения" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Больше не показывать это сообщение" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Просмотр слоёв" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Печать через сеть" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Печать через сеть" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Подключен по сети" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "завтра" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Пакет формата Ultimaker" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "сегодня" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "Невозможно записать в файл UFP:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Выравнивание стола" +msgid "Connect via Network" +msgstr "Подключиться через сеть" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Дождитесь окончания отправки текущего задания." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Ошибка печати" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Задание печати успешно отправлено на принтер." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Данные отправлены" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Вы пытаетесь подключиться к принтеру, на котором не работает Ultimaker Connect. Обновите прошивку принтера до последней версии." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Обновите свой принтер" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "Очередь заданий печати заполнена. Принтер не может принять новое задание." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Очередь заполнена" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Отправка задания печати" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Загрузка задания печати в принтер." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura обнаружены профили материалов, которые пока не установлены в главном принтере группы {0}." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Отправка материалов на принтер" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Облако не залило данные на принтер." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Ошибка сети" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "Вы пытаетесь подключиться к {0}, но это не главный принтер группы. Откройте веб-страницу, чтобы настроить его в качестве главного принтера группы." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Не главный принтер группы" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Выбор обновлений" +msgid "Configure group" +msgstr "Настроить группу" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"Ваш принтер {printer_name} может быть подключен через облако.\n" +" Управляйте очередью печати и следите за результатом из любого места благодаря подключению принтера к Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Вы готовы к облачной печати?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Приступить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Узнать больше" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Печать через облако" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Печать через облако" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Подключено через облако" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Мониторинг печати" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Отслеживайте печать в Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Неизвестный код ошибки при загрузке задания печати: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" @@ -1444,13 +1581,13 @@ msgstr[0] "новый принтер обнаружен из учетной за msgstr[1] "новых принтера обнаружено из учетной записи Ultimaker" msgstr[2] "новых принтеров обнаружено из учетной записи Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "Добавление принтера {name} ({model}) из вашей учетной записи" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1459,12 +1596,12 @@ msgstr[0] "... и еще {0} другой" msgstr[1] "... и еще {0} других" msgstr[2] "... и еще {0} других" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Принтеры, добавленные из Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" @@ -1472,7 +1609,7 @@ msgstr[0] "Подключение к облаку недоступно для п msgstr[1] "Подключение к облаку недоступно для некоторых принтеров" msgstr[2] "Подключение к облаку недоступно для некоторых принтеров" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" @@ -1480,52 +1617,52 @@ msgstr[0] "Это принтер не подключен Digital Factory:" msgstr[1] "Эти принтеры не подключены Digital Factory:" msgstr[2] "Эти принтеры не подключены Digital Factory:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Чтобы установить подключение, перейдите на сайт {website_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Сохранить конфигурации принтера" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Удалить принтеры" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} будет удален до следующей синхронизации учетной записи." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "Чтобы удалить {printer_name} без возможности восстановления, перейдите на сайт {digital_factory_link}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "Действительно удалить {printer_name} временно?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Удалить принтеры?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1544,281 +1681,586 @@ msgstr[2] "" "Вы удаляете {0} принтеров из Cura. Это действие невозможно будет отменить.\n" "Продолжить?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" "Are you sure you want to continue?" msgstr "Вы удаляете все принтеры из Cura. Это действие невозможно будет отменить.Продолжить?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Выделены области с отсутствующими или лишними поверхностями. Исправьте модель и снова откройте ее в Cura." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Ошибки модели" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Просмотр модели" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "Ошибка в ходе записи файла 3MF." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "Подключаемый модуль для записи 3MF поврежден." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Права на запись рабочей среды отсутствуют." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "Операционная система не позволяет сохранять файл проекта в этом каталоге или с этим именем файла." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF файл" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "3MF файл проекта Cura" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Монитор" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "Помощник по 3D-моделям" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "Ваш принтер {printer_name} может быть подключен через облако.\n Управляйте очередью печати и следите за результатом из любого места благодаря подключению" -" принтера к Digital Factory" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " +msgstr "" +"

    Одна или несколько 3D-моделей могут не напечататься оптимальным образом из-за размера модели и конфигурации материала:

    \n" +"

    {model_names}

    \n" +"

    Узнайте, как обеспечить максимально возможное качество и высокую надежность печати.

    \n" +"

    Ознакомиться с руководством по качеству печати

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Вы готовы к облачной печати?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Приступить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Узнать больше" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Вы пытаетесь подключиться к принтеру, на котором не работает Ultimaker Connect. Обновите прошивку принтера до последней версии." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Обновите свой принтер" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura обнаружены профили материалов, которые пока не установлены в главном принтере группы {0}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Отправка материалов на принтер" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "Вы пытаетесь подключиться к {0}, но это не главный принтер группы. Откройте веб-страницу, чтобы настроить его в качестве главного принтера группы." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Не главный принтер группы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Настроить группу" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Дождитесь окончания отправки текущего задания." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Ошибка печати" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Облако не залило данные на принтер." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Ошибка сети" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Отправка задания печати" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Загрузка задания печати в принтер." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "Очередь заданий печати заполнена. Принтер не может принять новое задание." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Очередь заполнена" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Задание печати успешно отправлено на принтер." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Данные отправлены" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Печать через сеть" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Печать через сеть" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Подключен по сети" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Подключиться через сеть" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "завтра" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "сегодня" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "Печать через USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "Печатать через USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "Печатать через USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "Подключено через USB" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "Выполняется печать через USB, закрытие Cura остановит эту печать. Вы уверены?" +msgid "Mesh Type" +msgstr "Тип объекта" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Печать еще выполняется. Cura не может начать другую печать через USB, пока предыдущая печать не будет завершена." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Нормальная модель" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Идет печать" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Печать в качестве поддержки" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Изменить настройки для перекрытий" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Не поддерживать перекрытия" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "Файл X3D" +msgid "Infill mesh only" +msgstr "Заполнение объекта" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Просмотр в рентгене" +msgid "Cutting mesh" +msgstr "Ограничивающий объект" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "С этой печатью могут быть связаны некоторые проблемы. Щелкните для просмотра советов по регулировке." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Выберите параметры" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Выберите параметр для изменения этой модели" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Фильтр..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Показать всё" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Резервные копии Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Версия Cura" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Принтеры" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Материалы" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Профили" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Плагины" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Желаете большего?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Создать резервную копию" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Автоматическое резервное копирование" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Автоматически создавать резервную копию в день запуска Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Восстановить" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Удалить резервную копию" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Вы уверены, что хотите удалить указанную резервную копию? Данное действие невозможно отменить." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Восстановить резервную копию" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Вам потребуется перезапустить Cura, прежде чем данные будут восстановлены из резервной копии. Вы действительно хотите закрыть Cura прямо сейчас?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Резервное копирование и синхронизация ваших параметров Cura." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Войти" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Мои резервные копии" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "В данный момент у вас отсутствуют резервные копии. Для создания резервной копии нажмите кнопку «Создать резервную копию»." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "На этапе предварительного просмотра отображается только 5 резервных копий. Для просмотра предыдущих резервных копий удалите одну копию." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Параметры принтера" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Ширина)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "мм" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Глубина)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Высота)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Форма стола" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Начало координат в центре" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Нагреваемый стол" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Подогреваемый объем печати" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "Вариант G-кода" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Параметры головы" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X минимум" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y минимум" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X максимум" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y максимум" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Высота портала" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Количество экструдеров" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Применить смещения экструдера к GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "Стартовый G-код" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "Завершающий G-код" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Параметры сопла" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Диаметр сопла" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Диаметр совместимого материала" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Смещение сопла по оси X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Смещение сопла по оси Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Номер охлаждающего вентилятора" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Стартовый G-код экструдера" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Завершающий G-код экструдера" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Принтер" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Обновить прошивку" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Прошивка является программным обеспечением, которое работает на плате вашего 3D принтера. Прошивка управляет шаговыми моторами, регулирует температуру и, в конечном счёте, обеспечивает работу вашего принтера." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Поставляемая с новыми принтерами прошивка работоспособна, но обновления предоставляют больше возможностей и усовершенствований." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Автоматическое обновление прошивки" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Залить собственную прошивку" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Невозможно обновить прошивку, так как нет подключения к принтеру." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Невозможно обновить прошивку, так как подключение к принтеру не поддерживает функцию обновления прошивки." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Выбрать собственную прошивку" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Обновление прошивки" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Обновление прошивки." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Обновление прошивки завершено." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Обновление прошивки не удалось из-за неизвестной ошибки." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Обновление прошивки не удалось из-за ошибки связи." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Обновление прошивки не удалось из-за ошибки ввода-вывода." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Обновление прошивки не удалось из-за её отсутствия." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Открытие проекта" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Обновить существующий" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Создать новый" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Сводка - Проект Cura" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Параметры принтера" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Как следует решать конфликт в принтере?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Тип" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Группа принтеров" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Параметры профиля" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Как следует решать конфликт в профиле?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "Название" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Вне профиля" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" @@ -1826,12 +2268,12 @@ msgstr[0] "%1 перекрыт" msgstr[1] "%1 перекрыто" msgstr[2] "%1 перекрыто" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Производное от" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" @@ -1839,484 +2281,1049 @@ msgstr[0] "%1, %2 перекрыто" msgstr[1] "%1, %2 перекрыто" msgstr[2] "%1, %2 перекрыто" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Параметры материала" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Как следует решать конфликт в материале?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Видимость параметров" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Режим" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Видимые параметры:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 из %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Загрузка проекта приведет к удалению всех моделей на рабочем столе." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Открыть" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Желаете большего?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Создать резервную копию" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Автоматическое резервное копирование" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Автоматически создавать резервную копию в день запуска Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Восстановить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Удалить резервную копию" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Вы уверены, что хотите удалить указанную резервную копию? Данное действие невозможно отменить." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Восстановить резервную копию" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Вам потребуется перезапустить Cura, прежде чем данные будут восстановлены из резервной копии. Вы действительно хотите закрыть Cura прямо сейчас?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Версия Cura" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Принтеры" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Материалы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Профили" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Плагины" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Резервные копии Cura" +msgid "Post Processing Plugin" +msgstr "Плагин пост-обработки" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Мои резервные копии" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "В данный момент у вас отсутствуют резервные копии. Для создания резервной копии нажмите кнопку «Создать резервную копию»." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "На этапе предварительного просмотра отображается только 5 резервных копий. Для просмотра предыдущих резервных копий удалите одну копию." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Резервное копирование и синхронизация ваших параметров Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Войти" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Обновить прошивку" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Прошивка является программным обеспечением, которое работает на плате вашего 3D принтера. Прошивка управляет шаговыми моторами, регулирует температуру и, в конечном счёте, обеспечивает работу вашего принтера." +msgid "Post Processing Scripts" +msgstr "Скрипты пост-обработки" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Добавить скрипт" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Поставляемая с новыми принтерами прошивка работоспособна, но обновления предоставляют больше возможностей и усовершенствований." +msgid "Settings" +msgstr "Параметры" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Автоматическое обновление прошивки" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Измените активные скрипты пост-обработки." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Залить собственную прошивку" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "Активны следующие скрипты:" +msgstr[1] "Активны следующие скрипты:" +msgstr[2] "Активны следующие скрипты:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Невозможно обновить прошивку, так как нет подключения к принтеру." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Невозможно обновить прошивку, так как подключение к принтеру не поддерживает функцию обновления прошивки." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Выбрать собственную прошивку" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Обновление прошивки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Обновление прошивки." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Обновление прошивки завершено." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Обновление прошивки не удалось из-за неизвестной ошибки." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Обновление прошивки не удалось из-за ошибки связи." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Обновление прошивки не удалось из-за ошибки ввода-вывода." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Обновление прошивки не удалось из-за её отсутствия." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Преобразование изображения..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Максимальная дистанция каждого пикселя от \"Основания.\"" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Высота (мм)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Высота основания от стола в миллиметрах." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Основание (мм)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "Ширина в миллиметрах на столе." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Ширина (мм)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "Глубина в миллиметрах на столе" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Глубина (мм)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Для литофании темные пиксели должны соответствовать более толстым частям, чтобы сильнее задерживать проходящий свет. Для схем высот более светлые пиксели обозначают более высокий участок. Поэтому более светлые пиксели должны соответствовать более толстым местам в созданной 3D-модели." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Тёмные выше" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Светлые выше" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Для литофании предусмотрена простая логарифмическая модель светопроходимости. В картах высот значения пикселей линейно соответствуют высотам." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Линейный" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Светопроходимость" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "Процент света, проникающего в отпечаток толщиной 1 миллиметр. Если уменьшить это значение, контрастность в темных областях изображения увеличится, а в светлых — уменьшится." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "Проходимость через 1 мм (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "Величина сглаживания для применения к изображению." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Сглаживание" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "OK" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 -msgctxt "@title:tab" -msgid "Printer" +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Пожалуйста, укажите любые изменения, внесённые в Ultimaker Original" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Нагреваемый стол (официальный набор или самодельный)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Выравнивание стола" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Сейчас вы можете отрегулировать ваш стол, чтобы быть уверенным в качестве последующей печати. При нажатии на кнопку «Перейти к следующей позиции» сопло перейдёт на другую позиции, которую можно будет отрегулировать." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Для каждой позиции, вставьте кусок бумаги под сопло и отрегулируйте высоту стола. Когда кончик сопла немного прижимает бумагу к столу, значит вы выставили правильную высоту стола." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Начало выравнивания стола" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Перейти к следующей позиции" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Дополнительная информация о сборе анонимных данных" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura собирает анонимные данные для повышения качества печати и улучшения взаимодействия с пользователем. Ниже приведен пример всех передаваемых данных:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Не хочу отправлять анонимные данные" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Разрешить отправку анонимных данных" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Магазин" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Вам потребуется перезапустить Cura для активации изменений в пакетах." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "Выйти из %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Установить" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Установлено" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Премиум" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Перейти в интернет-магазин" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Поиск материалов" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Совместимость" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" msgstr "Принтер" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Параметры сопла" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Рабочий стол" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Поддержки" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Качество" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Таблица технических характеристик" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Паспорт безопасности" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Инструкции по печати" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Веб-сайт" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Для выполнения установки или обновления необходимо войти" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Приобретение катушек с материалом" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Обновить" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Обновление" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Обновлено" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Назад" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 +msgctxt "@title:tab" +msgid "Plugins" +msgstr "Плагины" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Материалы" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Установлено" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Диаметр сопла" +msgid "Will install upon restarting" +msgstr "Установка выполнится при перезагрузке" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Для выполнения обновления необходимо войти" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Переход на более раннюю версию" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Удалить" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "мм" +msgid "Community Contributions" +msgstr "Вклад в развитие сообщества" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Диаметр совместимого материала" +msgid "Community Plugins" +msgstr "Плагины сообщества" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Смещение сопла по оси X" +msgid "Generic Materials" +msgstr "Универсальные материалы" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Выборка пакетов..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Смещение сопла по оси Y" +msgid "Website" +msgstr "Веб-сайт" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Номер охлаждающего вентилятора" +msgid "Email" +msgstr "Электронная почта" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Стартовый G-код экструдера" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Войдите, чтобы получить проверенные встраиваемые модули и материалы для Ultimaker Cura Enterprise" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Завершающий G-код экструдера" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Параметры принтера" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Ширина)" +msgid "Version" +msgstr "Версия" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Глубина)" +msgid "Last updated" +msgstr "Последнее обновление" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Высота)" +msgid "Brand" +msgstr "Брэнд" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Форма стола" +msgid "Downloads" +msgstr "Загрузки" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Установленные встраиваемые модули" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Встраиваемые модули не установлены." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Установленные материалы" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Материалы не установлены." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Связанные встраиваемые модули" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Связанные материалы" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Не удалось подключиться к базе данных пакета Cura. Проверьте свое подключение." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Начало координат в центре" +msgid "You need to accept the license to install the package" +msgstr "Для установки пакета необходимо принять лицензию" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Изменения в вашей учетной записи" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Отклонить" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Следующий" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Нагреваемый стол" +msgid "The following packages will be added:" +msgstr "Будут добавлены следующие пакеты:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Подогреваемый объем печати" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Следующие пакеты невозможно установить из-за несовместимой версии Cura:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Подтвердить удаление" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Вы удаляете материалы и/или профили, которые все еще используются. Подтверждение приведет к сбросу указанных ниже материалов/профилей к их настройкам по умолчанию." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Материалы" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Профили" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Подтвердить" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "Вариант G-кода" +msgid "Color scheme" +msgstr "Цветовая схема" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Параметры головы" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Цвет материала" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Тип линии" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Скорость" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Толщина слоя" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Ширина линии" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Поток" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X минимум" +msgid "Compatibility Mode" +msgstr "Режим совместимости" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y минимум" +msgid "Travels" +msgstr "Перемещения" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X максимум" +msgid "Helpers" +msgstr "Помощники" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y максимум" +msgid "Shell" +msgstr "Ограждение" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Высота портала" +msgid "Infill" +msgstr "Заполнение" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Количество экструдеров" +msgid "Starts" +msgstr "Запуск" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Применить смещения экструдера к GCode" +msgid "Only Show Top Layers" +msgstr "Показать только верхние слои" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "Стартовый G-код" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "Показать 5 детализированных слоёв сверху" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "Завершающий G-код" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Дно / крышка" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "Внутренняя стенка" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "мин" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "макс" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Управление принтером" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Стекло" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Для удаленного управления очередью необходимо обновить программное обеспечение принтера." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Каналы веб-камеры для облачных принтеров невозможно просмотреть из Ultimaker Cura. Щелкните «Управление принтером», чтобы просмотреть эту веб-камеру на сайте Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Загрузка..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Недоступен" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Недостижимо" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Простой" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Подготовка..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Печать" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Без имени" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Анонимн" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Необходимо внести изменения конфигурации" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Подробности" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Недоступный принтер" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "Первое доступное" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Запланировано" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Управление через браузер" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "В очереди нет заданий печати. Выполните нарезку и отправьте задание." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Задания печати" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Общее время печати" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Ожидание" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Печать через сеть" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Печать" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Выбор принтера" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Изменения конфигурации" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Переопределить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Для назначенного принтера %1 требуется следующее изменение конфигурации:" +msgstr[1] "Для назначенного принтера %1 требуются следующие изменения конфигурации:" +msgstr[2] "Для назначенного принтера %1 требуются следующие изменения конфигурации:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Принтер %1 назначен, однако в задании указана неизвестная конфигурация материала." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "Изменить материал %1 с %2 на %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "Загрузите %3 как материал %1 (переопределение этого действия невозможно)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "Изменить экструдер %1 с %2 на %3." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Заменить рабочий стол на %1 (переопределение этого действия невозможно)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "При переопределении к имеющейся конфигурации принтера будут применены указанные настройки. Это может привести к ошибке печати." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Алюминий" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Завершено" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "Прерывается..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Прервано" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Приостановка..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Приостановлено" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Возобновляется..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Необходимое действие" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "Завершение %1 в %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Подключение к сетевому принтеру" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Для печати непосредственно на принтере через сеть необходимо подключить принтер к сети с помощью сетевого кабеля или подключить его к сети Wi-Fi. Если вы не подключили Cura к принтеру, вы можете использовать USB-накопитель для переноса файлов G-Code на принтер." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Выберите свой принтер из приведенного ниже списка:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Правка" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Удалить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Обновить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Если ваш принтер отсутствует в списке, обратитесь к руководству по решению проблем с сетевой печатью" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Тип" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Версия прошивки" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Адрес" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Данный принтер не настроен для управления группой принтеров." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Данный принтер управляет группой из %1 принтера (-ов)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "Принтер по этому адресу ещё не отвечал." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Подключить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Недействительный IP-адрес" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Введите действительный IP-адрес." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Адрес принтера" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Введите IP-адрес принтера в сети." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "Переместить в начало" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Удалить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Продолжить" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Приостановка..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Возобновляется..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Пауза" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "Прерывается..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Прервать" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "Вы уверены, что хотите переместить %1 в начало очереди?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Переместить задание печати в начало очереди" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "Вы уверены, что хотите удалить %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Удалить задание печати" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "Вы уверены, что хотите прервать %1?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Прервать печать" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2329,1491 +3336,435 @@ msgstr "" "- Убедитесь, что принтер подключен к сети.\n" "- Убедитесь, что вы вошли в систему (это необходимо для поиска принтеров, подключенных к облаку)." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Подключите принтер к сети." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Просмотр руководств пользователей онлайн" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Чтобы отслеживать задания печати при помощи Cura, подключите принтер." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Тип объекта" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Нормальная модель" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Печать в качестве поддержки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Изменить настройки для перекрытий" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Не поддерживать перекрытия" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Заполнение объекта" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Ограничивающий объект" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Выберите параметры" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Выберите параметр для изменения этой модели" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Фильтр..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Показать всё" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Плагин пост-обработки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Скрипты пост-обработки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Добавить скрипт" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Параметры" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Измените активные скрипты пост-обработки." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "С этой печатью могут быть связаны некоторые проблемы. Щелкните для просмотра советов по регулировке." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Активны следующие скрипты:" -msgstr[1] "Активны следующие скрипты:" -msgstr[2] "Активны следующие скрипты:" +msgid "3D View" +msgstr "Трехмерный вид" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Цветовая схема" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Цвет материала" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Тип линии" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Скорость" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Толщина слоя" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Ширина линии" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Поток" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Режим совместимости" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Перемещения" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Помощники" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Ограждение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Заполнение" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Запуск" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Показать только верхние слои" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "Показать 5 детализированных слоёв сверху" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Дно / крышка" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "Внутренняя стенка" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "мин" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "макс" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Дополнительная информация о сборе анонимных данных" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura собирает анонимные данные для повышения качества печати и улучшения взаимодействия с пользователем. Ниже приведен пример всех передаваемых данных:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Не хочу отправлять анонимные данные" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Разрешить отправку анонимных данных" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Назад" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Совместимость" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Принтер" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Рабочий стол" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Поддержки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Качество" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Таблица технических характеристик" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Паспорт безопасности" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Инструкции по печати" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Веб-сайт" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Установлено" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Для выполнения установки или обновления необходимо войти" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Приобретение катушек с материалом" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Обновить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Обновление" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Обновлено" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Премиум" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Перейти в интернет-магазин" +msgid "Front View" +msgstr "Вид спереди" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Вид сверху" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Вид слева" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Вид справа" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Поиск материалов" +msgid "Object list" +msgstr "Список объектов" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Вам потребуется перезапустить Cura для активации изменений в пакетах." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "Выйти из %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Плагины" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Материалы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Установлено" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Установка выполнится при перезагрузке" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Для выполнения обновления необходимо войти" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Переход на более раннюю версию" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Удалить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Установить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Изменения в вашей учетной записи" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Отклонить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Следующий" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Будут добавлены следующие пакеты:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Следующие пакеты невозможно установить из-за несовместимой версии Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Подтвердить удаление" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Вы удаляете материалы и/или профили, которые все еще используются. Подтверждение приведет к сбросу указанных ниже материалов/профилей к их настройкам по умолчанию." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Материалы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Профили" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Подтвердить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Для установки пакета необходимо принять лицензию" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Веб-сайт" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "Электронная почта" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Версия" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Последнее обновление" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Брэнд" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "Загрузки" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Вклад в развитие сообщества" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Плагины сообщества" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Универсальные материалы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Не удалось подключиться к базе данных пакета Cura. Проверьте свое подключение." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Установленные встраиваемые модули" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Встраиваемые модули не установлены." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Установленные материалы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Материалы не установлены." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Связанные встраиваемые модули" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Связанные материалы" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Выборка пакетов..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Войдите, чтобы получить проверенные встраиваемые модули и материалы для Ultimaker Cura Enterprise" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Магазин" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Выравнивание стола" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "Файл" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Сейчас вы можете отрегулировать ваш стол, чтобы быть уверенным в качестве последующей печати. При нажатии на кнопку «Перейти к следующей позиции» сопло перейдёт на другую позиции, которую можно будет отрегулировать." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Для каждой позиции, вставьте кусок бумаги под сопло и отрегулируйте высоту стола. Когда кончик сопла немного прижимает бумагу к столу, значит вы выставили правильную высоту стола." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Начало выравнивания стола" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Перейти к следующей позиции" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Пожалуйста, укажите любые изменения, внесённые в Ultimaker Original" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Нагреваемый стол (официальный набор или самодельный)" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 -msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Подключение к сетевому принтеру" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Для печати непосредственно на принтере через сеть необходимо подключить принтер к сети с помощью сетевого кабеля или подключить его к сети Wi-Fi. Если вы не подключили Cura к принтеру, вы можете использовать USB-накопитель для переноса файлов G-Code на принтер." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Выберите свой принтер из приведенного ниже списка:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" msgstr "Правка" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Удалить" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "Вид" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Обновить" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Параметры" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Если ваш принтер отсутствует в списке, обратитесь к руководству по решению проблем с сетевой печатью" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Расширения" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Тип" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Настройки" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Версия прошивки" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "Справка" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Адрес" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Данный принтер не настроен для управления группой принтеров." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Данный принтер управляет группой из %1 принтера (-ов)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Принтер по этому адресу ещё не отвечал." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Подключить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Недействительный IP-адрес" +msgid "New project" +msgstr "Новый проект" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Введите действительный IP-адрес." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Вы действительно желаете начать новый проект? Это действие очистит область печати и сбросит все несохранённые настройки." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Адрес принтера" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Введите IP-адрес принтера в сети." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Изменения конфигурации" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Переопределить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Для назначенного принтера %1 требуется следующее изменение конфигурации:" -msgstr[1] "Для назначенного принтера %1 требуются следующие изменения конфигурации:" -msgstr[2] "Для назначенного принтера %1 требуются следующие изменения конфигурации:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "Принтер %1 назначен, однако в задании указана неизвестная конфигурация материала." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "Изменить материал %1 с %2 на %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "Загрузите %3 как материал %1 (переопределение этого действия невозможно)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "Изменить экструдер %1 с %2 на %3." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Заменить рабочий стол на %1 (переопределение этого действия невозможно)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "При переопределении к имеющейся конфигурации принтера будут применены указанные настройки. Это может привести к ошибке печати." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Стекло" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Алюминий" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "Переместить в начало" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Удалить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Продолжить" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Приостановка..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Возобновляется..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Пауза" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "Прерывается..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Прервать" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "Вы уверены, что хотите переместить %1 в начало очереди?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Переместить задание печати в начало очереди" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "Вы уверены, что хотите удалить %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Удалить задание печати" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "Вы уверены, что хотите прервать %1?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Прервать печать" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Управление принтером" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Для удаленного управления очередью необходимо обновить программное обеспечение принтера." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Каналы веб-камеры для облачных принтеров невозможно просмотреть из Ultimaker Cura. Щелкните «Управление принтером», чтобы просмотреть эту веб-камеру на" -" сайте Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Загрузка..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Недоступен" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Недостижимо" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Простой" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Подготовка..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Печать" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Без имени" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Анонимн" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Необходимо внести изменения конфигурации" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Подробности" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Недоступный принтер" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "Первое доступное" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Прервано" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Завершено" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "Прерывается..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Приостановка..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Приостановлено" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Возобновляется..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Необходимое действие" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "Завершение %1 в %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Запланировано" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Управление через браузер" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "В очереди нет заданий печати. Выполните нарезку и отправьте задание." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Задания печати" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Общее время печати" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Ожидание" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Печать через сеть" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Печать" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Выбор принтера" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Войти" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Войдите на платформу Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Добавляйте настройки материалов и плагины из Marketplace \n" -" - Выполняйте резервное копирование и синхронизацию своих настроек материалов и плагинов \n" -" - Делитесь идеями и получайте помощь от 48 000 пользователей в сообществе Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Создайте бесплатную учетную запись Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Проверка..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Учетная запись синхронизирована" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Что-то пошло не так..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Установить ожидающие обновления" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Проверить наличие обновлений учетной записи" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Последнее обновление: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Учетная запись Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Выйти" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Оценка времени недоступна" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Оценка расходов недоступна" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Предварительный просмотр" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Оценка времени" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Оценка материала" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 м" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 г" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Нарезка на слои..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Невозможно нарезать" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "Обработка" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Нарезка на слои" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Запустить нарезку на слои" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "Отмена" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Показать онлайн-руководство по решению проблем" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Полный экран" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Выйти из полноэкранного режима" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "Отмена" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "Возврат" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "Выход" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "Трехмерный вид" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Вид спереди" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Вид сверху" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Вид снизу" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Вид слева" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Вид справа" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Настроить Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "Добавить принтер..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Управление принтерами..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Управление материалами..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Добавить больше материалов из Магазина" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "Обновить профиль текущими параметрами" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "Сбросить текущие параметры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "Создать профиль из текущих параметров..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Управление профилями..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Показать онлайн документацию" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Отправить отчёт об ошибке" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Что нового" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "О Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Удалить выбранное" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Центрировать выбранное" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Размножить выбранное" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Удалить модель" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Поместить модель по центру" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "Сгруппировать модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Разгруппировать модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "Объединить модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "Дублировать модель..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Выбрать все модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Очистить стол" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Перезагрузить все модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Выровнять все модели по всем рабочим столам" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Выровнять все модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Выровнять выбранные" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Сбросить позиции всех моделей" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Сбросить преобразования всех моделей" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "Открыть файл(ы)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "Новый проект..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Показать конфигурационный каталог" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Видимость параметров..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Магазин" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Мои принтеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Следите за своими принтерами в Ultimaker Digital Factory." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Создавайте проекты печати в электронной библиотеке." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Задания печати" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Отслеживайте задания печати и запускайте их повторно из истории печати." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Расширяйте возможности Ultimaker Cura за счет плагинов и профилей материалов." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Пройдите электронное обучение Ultimaker и станьте экспертом в области 3D-печати." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Поддержка Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Узнайте, как начать работу с Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Задать вопрос" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Посоветуйтесь со специалистами в сообществе Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Сообщить об ошибке" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Сообщите разработчикам о неполадках." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Посетите веб-сайт Ultimaker." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Этот пакет будет установлен после перезапуска." +msgid "Time estimation" +msgstr "Оценка времени" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Общее" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Оценка материала" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Параметры" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1 м" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Принтеры" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1 г" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Профили" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Оценка времени недоступна" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "Закрытие %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Оценка расходов недоступна" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "Вы уверены, что хотите выйти из %1?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Предварительный просмотр" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Открыть файл(ы)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Добавить принтер" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Установить пакет" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Добавить сетевой принтер" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Открыть файл(ы)" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Добавить принтер, не подключенный к сети" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Среди выбранных файлов мы нашли несколько файлов с G-кодом. Вы можете открыть только один файл за раз. Измените свой выбор, пожалуйста." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Добавить облачный принтер" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Добавление принтера" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Ожидается ответ от облака" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "В учетной записи нет принтеров?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Следующие принтеры в вашей учетной записи добавлены в Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Добавить принтер вручную" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "Добавить принтер по IP-адресу" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Введите IP-адрес своего принтера." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Добавить" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Не удалось подключиться к устройству." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Не удается подключиться к принтеру Ultimaker?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "От принтера с этим адресом еще не поступал ответ." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Этот принтер невозможно добавить, поскольку это неизвестный принтер либо он не управляет группой." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Назад" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Подключить" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Пользовательское соглашение" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Отклонить и закрыть" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Приветствуем в Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Выполните указанные ниже действия для настройки\n" +"Ultimaker Cura. Это займет немного времени." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Приступить" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Войдите на платформу Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Добавляйте настройки материалов и плагины из Marketplace" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Выполняйте резервное копирование и синхронизацию своих настроек материалов и плагинов" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Делитесь идеями и получайте помощь от 48 000 пользователей в сообществе Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Пропустить" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Создайте бесплатную учетную запись Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Производитель" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Автор профиля" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Имя принтера" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Присвойте имя принтеру" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "В вашей сети не найден принтер." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Обновить" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "Добавить принтер по IP-адресу" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Добавить облачный принтер" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Поиск и устранение неисправностей" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Помогите нам улучшить Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura собирает анонимные данные для повышения качества печати и улучшения взаимодействия с пользователем, включая перечисленные ниже:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Типы принтера" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Использование материала" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Количество слоев" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Параметры печати" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Данные, собранные Ultimaker Cura, не содержат каких-либо персональных данных." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Дополнительная информация" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Что нового" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Пусто" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Примечания к выпуску" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "О программе %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "версия: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Полное решение для 3D печати методом наплавления материала." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3822,183 +3773,204 @@ msgstr "" "Cura разработана компанией Ultimaker B.V. совместно с сообществом.\n" "Cura использует следующие проекты с открытым исходным кодом:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Графический интерфейс пользователя" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Фреймворк приложения" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "Генератор G-кода" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "Библиотека межпроцессного взаимодействия" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Язык программирования" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "Фреймворк GUI" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "Фреймворк GUI, интерфейс" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C++ библиотека интерфейса" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Формат обмена данными" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Вспомогательная библиотека для научных вычислений" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Вспомогательная библиотека для быстрых расчётов" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "Вспомогательная библиотека для работы с STL файлами" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Вспомогательная библиотека для работы с плоскими объектами" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Вспомогательная библиотека для работы с треугольными сетками" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "Вспомогательная библиотека для работы с 3MF файлами" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Вспомогательная библиотека для метаданных файла и потоковой передачи" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Библиотека последовательного интерфейса" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "Библиотека ZeroConf" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Библиотека обрезки полигонов" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Средство проверки статического типа для Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "Корневые сертификаты для проверки надежности SSL" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Библиотека отслеживания ошибок Python" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Библиотека упаковки полигонов, разработанная Prusa Research" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Интерфейс Python для libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Вспомогательная библиотека для доступа к набору ключей системы" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Расширения Python для Microsoft Windows" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Шрифт" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "Иконки SVG" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Развертывание приложений для различных дистрибутивов Linux" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Открыть файл проекта" +msgid "Open file(s)" +msgstr "Открыть файл(ы)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Это проект Cura. Следует открыть его как проект или просто импортировать из него модели?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Мы нашли один или более проектных файлов среди выбранных вами. Вы можете открыть только один файл проекта. Мы предлагаем импортировать только модели их этих файлов. Желаете продолжить?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Запомнить мой выбор" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Открыть как проект" +msgid "Import all as models" +msgstr "Импортировать всё как модели" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Сохранить проект" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Экструдер %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 и материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Больше не показывать сводку по проекту" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Импортировать модели" +msgid "Save" +msgstr "Сохранить" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Сбросить или сохранить изменения" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -4009,1255 +3981,144 @@ msgstr "" "Сохранить измененные настройки после переключения профилей?\n" "Изменения можно отменить и загрузить настройки по умолчанию из \"%1\"." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Параметры профиля" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Текущие изменения" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Всегда спрашивать меня" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "Сбросить и никогда больше не спрашивать" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Сохранить и никогда больше не спрашивать" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Отменить изменения" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Сохранить изменения" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Открыть файл проекта" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Мы нашли один или более проектных файлов среди выбранных вами. Вы можете открыть только один файл проекта. Мы предлагаем импортировать только модели их этих файлов. Желаете продолжить?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Это проект Cura. Следует открыть его как проект или просто импортировать из него модели?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Запомнить мой выбор" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Импортировать всё как модели" +msgid "Open as project" +msgstr "Открыть как проект" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Сохранить проект" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Экструдер %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 и материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Больше не показывать сводку по проекту" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Сохранить" +msgid "Import models" +msgstr "Импортировать модели" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Печатать выбранную модель с %1" -msgstr[1] "Печатать выбранные модели с %1" -msgstr[2] "Печатать выбранные модели с %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Без имени" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "Файл" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "Правка" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "Вид" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Параметры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Расширения" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Настройки" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "Справка" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Новый проект" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Вы действительно желаете начать новый проект? Это действие очистит область печати и сбросит все несохранённые настройки." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Магазин" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Конфигурации" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "Данная конфигурация недоступна, поскольку %1 не распознан. Посетите %2 и загрузите подходящий профиль материала." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Магазин" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Загрузка доступных конфигураций из принтера..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Конфигурации недоступны, поскольку принтер отключен." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Выберите конфигурации" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Конфигурации" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Свое" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Включено" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Использовать клей для лучшего прилипания с этой комбинацией материалов." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Печать выбранной модели:" -msgstr[1] "Печать выбранных моделей:" -msgstr[2] "Печать выбранных моделей:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Размножить выбранную модель" -msgstr[1] "Размножить выбранные модели" -msgstr[2] "Размножить выбранные модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Количество копий" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Сохранить проект..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Экспорт..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Экспорт выбранного..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Избранные" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Универсальные" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Открыть файл(ы)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Подключенные к сети принтеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Локальные принтеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "Открыть недавние" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Сохранить проект..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "Принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "Материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Установить как активный экструдер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Включить экструдер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Отключить экструдер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Видимые параметры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Свернуть все категории" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Управление видимостью настроек..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "Положение камеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Вид камеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Перспективная" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ортографическая" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "Рабочий стол" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Не подключен к принтеру" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Принтер не принимает команды" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "В режиме обслуживания. Пожалуйста, проверьте принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Потеряно соединение с принтером" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Печать..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Приостановлен" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Подготовка..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Пожалуйста, удалите напечатанное" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Прервать печать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Вы уверены, что желаете прервать печать?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Печатается как поддержка." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Другие модели, имеющие перекрытия с этой моделью, изменены." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Изменено заполнение перекрытия с этой моделью." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Перекрытия с этой моделью не поддерживаются." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "Переопределяет %1 настройку." -msgstr[1] "Переопределяет %1 настройки." -msgstr[2] "Переопределяет %1 настроек." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Список объектов" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Интерфейс" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Валюта:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Тема:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Для применения данных изменений вам потребуется перезапустить приложение." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Нарезать автоматически при изменении настроек." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Нарезать автоматически" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Поведение окна" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Подсвечивать красным области модели, требующие поддержек. Без поддержек эти области не будут напечатаны правильно." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Отобразить нависания" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Отметьте отсутствующие или лишние поверхности модели с помощью предупреждающих знаков. В путях инструментов часто будут отсутствовать детали предполагаемой геометрии." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Показывать ошибки модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Перемещать камеру так, чтобы выбранная модель помещалась в центр экрана" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Центрировать камеру на выбранном объекте" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Следует ли инвертировать стандартный способ увеличения в Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Инвертировать направление увеличения камеры." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Увеличивать по мере движения мышкой?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "В ортогональной проекции изменение масштаба мышью не поддерживается." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Увеличивать по движению мышки" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Следует ли размещать модели на столе так, чтобы они больше не пересекались?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Удостовериться, что модели размещены рядом" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Следует ли опустить модели на стол?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Автоматически опускать модели на стол" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "Показывать предупреждающее сообщение в средстве считывания G-кода." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "Предупреждающее сообщение в средстве считывания G-кода" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Должен ли слой быть переведён в режим совместимости?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Просматривать слои в режиме совместимости (требуется перезапуск)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Открыть Cura на том месте, где вы остановились в прошлый раз?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Восстановить положение окна при запуске" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Рендеринг камеры какого типа следует использовать?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Рендеринг камеры:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Перспективная" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ортографическая" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Открытие и сохранение файлов" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Открывать файлы с компьютера и из внешних приложений в одном экземпляре Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Использовать один экземпляр Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Следует ли очищать печатную пластину перед загрузкой новой модели в единственный экземпляр Cura?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Очистите печатную пластину перед загрузкой модели в единственный экземпляр" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Масштабировать ли модели для размещения внутри печатаемого объёма, если они не влезают в него?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Масштабировать большие модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Модель может показаться очень маленькой, если её размерность задана в метрах, а не миллиметрах. Следует ли масштабировать такие модели?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Масштабировать очень маленькие модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Выбрать модели после их загрузки?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Выбрать модели при загрузке" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Надо ли автоматически добавлять префикс, основанный на имени принтера, к названию задачи на печать?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Добавить префикс принтера к имени задачи" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Показывать сводку при сохранении файла проекта?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Показывать сводку при сохранении проекта" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Стандартное поведение при открытии файла проекта" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Стандартное поведение при открытии файла проекта: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Всегда спрашивать меня" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Всегда открывать как проект" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Всегда импортировать модели" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "При внесении изменений в профиль и переключении на другой, будет показан диалог, запрашивающий ваше решение о сохранении ваших изменений, или вы можете указать стандартное поведение и не показывать такой диалог." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Профили" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Поведение по умолчанию для измененных значений настройки при переключении на другой профиль: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Всегда сбрасывать измененные настройки" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Всегда передавать измененные настройки новому профилю" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Приватность" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Можно ли отправлять анонимную информацию о вашей печати в Ultimaker? Следует отметить, что ни модели, ни IP-адреса и никакая другая персональная информация не будет отправлена или сохранена." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "Отправлять (анонимно) информацию о печати" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Дополнительная информация" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Обновления" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Должна ли Cura проверять обновления программы при старте?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Проверять обновления при старте" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "При проверке обновлений проверяйте только стабильные версии." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Только стабильные версии" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "При проверке обновлений проверяйте как стабильные, так и бета-версии." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "Стабильные и бета-версии" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Следует ли автоматически проверять наличие новых плагинов при каждом запуске Cura? Настоятельно рекомендуется не выключать это!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Получать уведомления об обновлениях плагинов" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Активировать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Переименовать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Создать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Дублировать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "Импорт" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Экспорт" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Синхронизация с принтерами" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Подтвердите удаление" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "Вы уверены, что желаете удалить %1? Это нельзя будет отменить!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Импортировать материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Не могу импортировать материал %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Успешно импортированный материал %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Экспортировать материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Не могу экспортировать материал %1: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Материал успешно экспортирован в %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Экспорт всех материалов" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Информация" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Подтвердить изменение диаметра" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Установлен новый диаметр пластиковой нити %1 мм. Это значение несовместимо с текущим экструдером. Продолжить?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Отображаемое имя" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Тип материала" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Цвет" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Свойства" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Плотность" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Диаметр" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Стоимость материала" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Вес материала" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Длина материала" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Стоимость метра" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Данный материал привязан к %1 и имеет ряд его свойств." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Отвязать материал" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Описание" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Информация об адгезии" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Параметры печати" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Создать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Дублировать" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Создать профиль" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Укажите имя для данного профиля." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Скопировать профиль" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Переименовать профиль" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Импорт профиля" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Экспорт профиля" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Принтер: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Обновить профиль текущими параметрами" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Сбросить текущие параметры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Данный профиль использует настройки принтера по умолчанию, поэтому список ниже пуст." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Ваши текущие параметры совпадают с выбранным профилем." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Общие параметры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Вычислено" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Параметр" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Профиль" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Текущий" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Единица" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Видимость параметров" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Выбрать все" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Экструдер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Целевая температура сопла. Сопло будет нагрето или остужено до указанной температуры. Если значение равно 0, то нагрев будет отключен." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Текущая температура данного сопла." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Температура предварительного нагрева сопла." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "Отмена" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Преднагрев" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Нагрев сопла перед печатью. Можно продолжать настройки вашей печати во время нагрева, и вам не понадобится ждать нагрева сопла, когда вы будете готовы приступить к печати." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Цвет материала в данном экструдере." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Материал в данном экструдере." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Сопло, вставленное в данный экструдер." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Рабочий стол" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Целевая температура горячего стола. Стол будет нагреваться и охлаждаться, оставаясь на этой температуре. Если установлена в 0, значит нагрев стола отключен." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Текущая температура горячего стола." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Температура преднагрева горячего стола." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Нагрев горячего стола перед печатью. Вы можете продолжать настройки вашей печати, пока стол нагревается, и вам не понадобится ждать нагрева стола для старта печати." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Управление принтером" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Положение толчковой подачи" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Расстояние толчковой подачи" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "Отправить G-код" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Отправить свою команду в G-коде подключенному принтеру. Нажмите Enter (Ввод) для отправки команды." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Принтер не подключен." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "Облачный принтер не в сети. Убедитесь, что принтер включен и подключен к Интернету." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Этот принтер не связан с вашей учетной записью. Посетите сайт Ultimaker Digital Factory, чтобы установить привязку." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "В настоящий момент нет подключения к облаку. Для подключения к облачному принтеру выполните вход." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "В настоящий момент нет подключения к облаку. Проверьте подключение к Интернету." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Добавить принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Управление принтерами" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Подключенные принтеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Предварительно настроенные принтеры" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Идёт печать" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "Имя задачи" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Время печати" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Осталось примерно" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "Облачный принтер не в сети. Убедитесь, что принтер включен и подключен к Интернету." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Этот принтер не связан с вашей учетной записью. Посетите сайт Ultimaker Digital Factory, чтобы установить привязку." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "В настоящий момент нет подключения к облаку. Для подключения к облачному принтеру выполните вход." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "В настоящий момент нет подключения к облаку. Проверьте подключение к Интернету." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Добавить принтер" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Управление принтерами" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Подключенные принтеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Предварительно настроенные принтеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Параметры печати" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Настройка печати отключена. Невозможно изменить файл с G-кодом." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Профиль" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5268,12 +4129,43 @@ msgstr "" "\n" "Нажмите для открытия менеджера профилей." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Собственные профили" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Сбросить текущие параметры" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Рекомендован" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Свое" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Вкл" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Выкл" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Экспериментальное" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" @@ -5281,108 +4173,1664 @@ msgstr[0] "Нет %1 профиля для конфигураций в экст msgstr[1] "Нет %1 профилей для конфигураций в экструдерах %2. Вместо этого будет использоваться функция по умолчанию" msgstr[2] "Нет %1 профилей для конфигураций в экструдерах %2. Вместо этого будет использоваться функция по умолчанию" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Настройка печати отключена. Невозможно изменить файл с G-кодом." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Рекомендован" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Свое" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Вкл" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Выкл" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Экспериментальное" +msgid "Profiles" +msgstr "Профили" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Прилипание" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Разрешает печать каймы или подложки. Это добавляет плоскую область вокруг или под вашим объектом, которую легко удалить после печати." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Постепенное заполнение" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Постепенное заполнение будет постепенно увеличивать объём заполнения по направлению вверх." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "В некоторые настройки профиля были внесены изменения. Если их необходимо изменить, перейдите в пользовательский режим." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Поддержки" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Генерация структур для поддержки нависающих частей модели. Без этих структур такие части будут складываться во время печати." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Некоторые из скрытых параметров используют значения, отличающиеся от их вычисленных значений.\n" -"\n" -"Щёлкните, чтобы сделать эти параметры видимыми." +msgid "Gradual infill" +msgstr "Постепенное заполнение" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Постепенное заполнение будет постепенно увеличивать объём заполнения по направлению вверх." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Прилипание" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Разрешает печать каймы или подложки. Это добавляет плоскую область вокруг или под вашим объектом, которую легко удалить после печати." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Сохранить проект..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Подключенные к сети принтеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Локальные принтеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Избранные" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Универсальные" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Печать выбранной модели:" +msgstr[1] "Печать выбранных моделей:" +msgstr[2] "Печать выбранных моделей:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Размножить выбранную модель" +msgstr[1] "Размножить выбранные модели" +msgstr[2] "Размножить выбранные модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Количество копий" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Сохранить проект..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Экспорт..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Экспорт выбранного..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Конфигурации" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Свое" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Принтер" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Включено" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Использовать клей для лучшего прилипания с этой комбинацией материалов." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Выберите конфигурации" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Конфигурации" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Загрузка доступных конфигураций из принтера..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Конфигурации недоступны, поскольку принтер отключен." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "Данная конфигурация недоступна, поскольку %1 не распознан. Посетите %2 и загрузите подходящий профиль материала." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Магазин" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Открыть файл(ы)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "Принтер" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "Материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Установить как активный экструдер" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Включить экструдер" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Отключить экструдер" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "Открыть недавние" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Видимые параметры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Свернуть все категории" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Управление видимостью настроек..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "Положение камеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Вид камеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Перспективная" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ортографическая" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "Рабочий стол" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Просмотр типа" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Печатается как поддержка." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Другие модели, имеющие перекрытия с этой моделью, изменены." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Изменено заполнение перекрытия с этой моделью." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Перекрытия с этой моделью не поддерживаются." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "Переопределяет %1 настройку." +msgstr[1] "Переопределяет %1 настройки." +msgstr[2] "Переопределяет %1 настроек." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Профили" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Активировать" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Создать" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Дублировать" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Переименовать" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "Импорт" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Экспорт" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Создать профиль" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Укажите имя для данного профиля." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Скопировать профиль" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Подтвердите удаление" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "Вы уверены, что желаете удалить %1? Это нельзя будет отменить!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Переименовать профиль" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Импорт профиля" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Экспорт профиля" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Принтер: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Обновить профиль текущими параметрами" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Данный профиль использует настройки принтера по умолчанию, поэтому список ниже пуст." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Ваши текущие параметры совпадают с выбранным профилем." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Общие параметры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Общее" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Интерфейс" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Валюта:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Тема:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Для применения данных изменений вам потребуется перезапустить приложение." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Нарезать автоматически при изменении настроек." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Нарезать автоматически" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Поведение окна" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Подсвечивать красным области модели, требующие поддержек. Без поддержек эти области не будут напечатаны правильно." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Отобразить нависания" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Отметьте отсутствующие или лишние поверхности модели с помощью предупреждающих знаков. В путях инструментов часто будут отсутствовать детали предполагаемой геометрии." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Показывать ошибки модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Перемещать камеру так, чтобы выбранная модель помещалась в центр экрана" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Центрировать камеру на выбранном объекте" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Следует ли инвертировать стандартный способ увеличения в Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Инвертировать направление увеличения камеры." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Увеличивать по мере движения мышкой?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "В ортогональной проекции изменение масштаба мышью не поддерживается." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Увеличивать по движению мышки" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Следует ли размещать модели на столе так, чтобы они больше не пересекались?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Удостовериться, что модели размещены рядом" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Следует ли опустить модели на стол?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Автоматически опускать модели на стол" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "Показывать предупреждающее сообщение в средстве считывания G-кода." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "Предупреждающее сообщение в средстве считывания G-кода" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Должен ли слой быть переведён в режим совместимости?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Просматривать слои в режиме совместимости (требуется перезапуск)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Открыть Cura на том месте, где вы остановились в прошлый раз?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Восстановить положение окна при запуске" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Рендеринг камеры какого типа следует использовать?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Рендеринг камеры:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Перспективная" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ортографическая" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Открытие и сохранение файлов" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Открывать файлы с компьютера и из внешних приложений в одном экземпляре Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Использовать один экземпляр Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Следует ли очищать печатную пластину перед загрузкой новой модели в единственный экземпляр Cura?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Очистите печатную пластину перед загрузкой модели в единственный экземпляр" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Масштабировать ли модели для размещения внутри печатаемого объёма, если они не влезают в него?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Масштабировать большие модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Модель может показаться очень маленькой, если её размерность задана в метрах, а не миллиметрах. Следует ли масштабировать такие модели?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Масштабировать очень маленькие модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Выбрать модели после их загрузки?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Выбрать модели при загрузке" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Надо ли автоматически добавлять префикс, основанный на имени принтера, к названию задачи на печать?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Добавить префикс принтера к имени задачи" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Показывать сводку при сохранении файла проекта?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Показывать сводку при сохранении проекта" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Стандартное поведение при открытии файла проекта" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Стандартное поведение при открытии файла проекта: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Всегда спрашивать меня" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Всегда открывать как проект" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Всегда импортировать модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "При внесении изменений в профиль и переключении на другой, будет показан диалог, запрашивающий ваше решение о сохранении ваших изменений, или вы можете указать стандартное поведение и не показывать такой диалог." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Поведение по умолчанию для измененных значений настройки при переключении на другой профиль: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Всегда сбрасывать измененные настройки" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Всегда передавать измененные настройки новому профилю" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Приватность" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Можно ли отправлять анонимную информацию о вашей печати в Ultimaker? Следует отметить, что ни модели, ни IP-адреса и никакая другая персональная информация не будет отправлена или сохранена." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "Отправлять (анонимно) информацию о печати" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Дополнительная информация" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Обновления" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Должна ли Cura проверять обновления программы при старте?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Проверять обновления при старте" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "При проверке обновлений проверяйте только стабильные версии." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Только стабильные версии" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "При проверке обновлений проверяйте как стабильные, так и бета-версии." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "Стабильные и бета-версии" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Следует ли автоматически проверять наличие новых плагинов при каждом запуске Cura? Настоятельно рекомендуется не выключать это!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Получать уведомления об обновлениях плагинов" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Информация" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Подтвердить изменение диаметра" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Установлен новый диаметр пластиковой нити %1 мм. Это значение несовместимо с текущим экструдером. Продолжить?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Отображаемое имя" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Тип материала" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Цвет" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Свойства" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Плотность" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Диаметр" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Стоимость материала" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Вес материала" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Длина материала" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Стоимость метра" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Данный материал привязан к %1 и имеет ряд его свойств." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Отвязать материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Описание" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Информация об адгезии" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Создать" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Дублировать" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Синхронизация с принтерами" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Принтер" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Импортировать материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Не могу импортировать материал %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Успешно импортированный материал %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Экспортировать материал" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Не могу экспортировать материал %1: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Материал успешно экспортирован в %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Экспорт всех материалов" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Видимость параметров" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Выбрать все" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Принтеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Вычислено" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Параметр" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Профиль" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Текущий" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Единица" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Не подключен к принтеру" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Принтер не принимает команды" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "В режиме обслуживания. Пожалуйста, проверьте принтер" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Потеряно соединение с принтером" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Печать..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Приостановлен" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Подготовка..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Пожалуйста, удалите напечатанное" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Прервать печать" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Вы уверены, что желаете прервать печать?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Печатать выбранную модель с %1" +msgstr[1] "Печатать выбранные модели с %1" +msgstr[2] "Печатать выбранные модели с %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Мои принтеры" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Следите за своими принтерами в Ultimaker Digital Factory." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Создавайте проекты печати в электронной библиотеке." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Задания печати" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Отслеживайте задания печати и запускайте их повторно из истории печати." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Расширяйте возможности Ultimaker Cura за счет плагинов и профилей материалов." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Пройдите электронное обучение Ultimaker и станьте экспертом в области 3D-печати." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Поддержка Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Узнайте, как начать работу с Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Задать вопрос" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Посоветуйтесь со специалистами в сообществе Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Сообщить об ошибке" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Сообщите разработчикам о неполадках." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Посетите веб-сайт Ultimaker." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Управление принтером" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Положение толчковой подачи" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Расстояние толчковой подачи" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "Отправить G-код" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Отправить свою команду в G-коде подключенному принтеру. Нажмите Enter (Ввод) для отправки команды." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Экструдер" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Целевая температура сопла. Сопло будет нагрето или остужено до указанной температуры. Если значение равно 0, то нагрев будет отключен." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Текущая температура данного сопла." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Температура предварительного нагрева сопла." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "Отмена" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Преднагрев" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Нагрев сопла перед печатью. Можно продолжать настройки вашей печати во время нагрева, и вам не понадобится ждать нагрева сопла, когда вы будете готовы приступить к печати." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Цвет материала в данном экструдере." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Материал в данном экструдере." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Сопло, вставленное в данный экструдер." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Принтер не подключен." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Рабочий стол" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Целевая температура горячего стола. Стол будет нагреваться и охлаждаться, оставаясь на этой температуре. Если установлена в 0, значит нагрев стола отключен." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Текущая температура горячего стола." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Температура преднагрева горячего стола." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Нагрев горячего стола перед печатью. Вы можете продолжать настройки вашей печати, пока стол нагревается, и вам не понадобится ждать нагрева стола для старта печати." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Войти" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Добавляйте настройки материалов и плагины из Marketplace \n" +" - Выполняйте резервное копирование и синхронизацию своих настроек материалов и плагинов \n" +" - Делитесь идеями и получайте помощь от 48 000 пользователей в сообществе Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Создайте бесплатную учетную запись Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Последнее обновление: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Учетная запись Ultimaker" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Выйти" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Проверка..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Учетная запись синхронизирована" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Что-то пошло не так..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Установить ожидающие обновления" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Проверить наличие обновлений учетной записи" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Без имени" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Нет элементов для выбора" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Показать онлайн-руководство по решению проблем" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Полный экран" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Выйти из полноэкранного режима" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "Отмена" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "Возврат" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "Выход" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "Трехмерный вид" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Вид спереди" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Вид сверху" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Вид снизу" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Вид слева" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Вид справа" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Настроить Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "Добавить принтер..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Управление принтерами..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Управление материалами..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Добавить больше материалов из Магазина" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "Обновить профиль текущими параметрами" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "Сбросить текущие параметры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "Создать профиль из текущих параметров..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Управление профилями..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Показать онлайн документацию" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Отправить отчёт об ошибке" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Что нового" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "О Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Удалить выбранное" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Центрировать выбранное" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Размножить выбранное" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Удалить модель" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Поместить модель по центру" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "Сгруппировать модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Разгруппировать модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "Объединить модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "Дублировать модель..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Выбрать все модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Очистить стол" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Перезагрузить все модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Выровнять все модели по всем рабочим столам" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Выровнять все модели" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Выровнять выбранные" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Сбросить позиции всех моделей" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Сбросить преобразования всех моделей" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "Открыть файл(ы)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "Новый проект..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Показать конфигурационный каталог" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Видимость параметров..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Магазин" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Этот параметр не используется, поскольку все параметры, на которые он влияет, переопределяются." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Влияет на" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "Зависит от" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Данная настройка всегда используется совместно всеми экструдерами. Изменение данного значения приведет к изменению значения для всех экструдеров." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Эта настройка получена из конфликтующих значений экструдера:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5393,7 +5841,7 @@ msgstr "" "\n" "Щёлкните для восстановления значения из профиля." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5404,509 +5852,93 @@ msgstr "" "\n" "Щёлкните для восстановления вычисленного значения." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Параметры поиска" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Скопировать значение для всех экструдеров" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Копировать все измененные значения для всех экструдеров" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Спрятать этот параметр" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Не показывать этот параметр" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Оставить этот параметр видимым" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "Трехмерный вид" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Вид спереди" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Вид сверху" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Вид слева" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Вид справа" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Просмотр типа" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Добавить облачный принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Ожидается ответ от облака" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "В учетной записи нет принтеров?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Следующие принтеры в вашей учетной записи добавлены в Cura:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Добавить принтер вручную" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Производитель" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Автор профиля" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Имя принтера" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Присвойте имя принтеру" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Добавить принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Добавить сетевой принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Добавить принтер, не подключенный к сети" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "В вашей сети не найден принтер." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Обновить" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "Добавить принтер по IP-адресу" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Добавить облачный принтер" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Поиск и устранение неисправностей" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "Добавить принтер по IP-адресу" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Введите IP-адрес своего принтера." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Добавить" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Не удалось подключиться к устройству." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Не удается подключиться к принтеру Ultimaker?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "От принтера с этим адресом еще не поступал ответ." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Этот принтер невозможно добавить, поскольку это неизвестный принтер либо он не управляет группой." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Назад" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Подключить" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Примечания к выпуску" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Добавляйте настройки материалов и плагины из Marketplace" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Выполняйте резервное копирование и синхронизацию своих настроек материалов и плагинов" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Делитесь идеями и получайте помощь от 48 000 пользователей в сообществе Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Пропустить" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Создайте бесплатную учетную запись Ultimaker" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Помогите нам улучшить Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura собирает анонимные данные для повышения качества печати и улучшения взаимодействия с пользователем, включая перечисленные ниже:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Типы принтера" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Использование материала" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Количество слоев" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Параметры печати" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Данные, собранные Ultimaker Cura, не содержат каких-либо персональных данных." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Дополнительная информация" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Пусто" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Пользовательское соглашение" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Отклонить и закрыть" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Приветствуем в Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"Выполните указанные ниже действия для настройки\n" -"Ultimaker Cura. Это займет немного времени." +"Некоторые из скрытых параметров используют значения, отличающиеся от их вычисленных значений.\n" +"\n" +"Щёлкните, чтобы сделать эти параметры видимыми." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Приступить" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Этот пакет будет установлен после перезапуска." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Параметры" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "Закрытие %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "Вы уверены, что хотите выйти из %1?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Установить пакет" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Открыть файл(ы)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Среди выбранных файлов мы нашли несколько файлов с G-кодом. Вы можете открыть только один файл за раз. Измените свой выбор, пожалуйста." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Добавление принтера" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Что нового" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Нет элементов для выбора" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Проверка моделей и конфигурации печати для выявления возможных проблем печати; рекомендации." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Средство проверки моделей" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "Предоставляет поддержку для чтения 3MF файлов." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "Чтение 3MF" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "Предоставляет возможность записи 3MF файлов." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "Запись 3MF" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "Обеспечивает поддержку чтения файлов AMF." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "Средство чтения AMF" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Резервное копирование и восстановление конфигурации." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Резервные копии Cura" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "Предоставляет интерфейс к движку CuraEngine." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Движок CuraEngine" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Предоставляет поддержку для импорта профилей Cura." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Чтение профиля Cura" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Предоставляет поддержку для экспорта профилей Cura." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Запись профиля Cura" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Подключается к цифровой библиотеке, позволяя Cura открывать файлы из цифровой библиотеки и сохранять файлы в нее." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Цифровая библиотека Ultimaker" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Проверяет наличие обновлений ПО." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Проверка обновлений" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Обеспечение действий принтера для обновления прошивки." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Средство обновления прошивки" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Считывает G-код из сжатого архива." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Средство считывания сжатого G-кода" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "Записывает G-код в сжатый архив." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Средство записи сжатого G-кода" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "Предоставляет поддержку для импортирования профилей из G-Code файлов." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "Средство считывания профиля из G-кода" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "Позволяет загружать и отображать файлы G-code." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "Чтение G-code" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "Записывает G-код в файл." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "Средство записи G-кода" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "Обеспечивает возможность генерировать печатаемую геометрию из файлов двухмерных изображений." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Чтение изображений" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Предоставляет поддержку для импортирования профилей из устаревших версий Cura." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Чтение устаревших профилей Cura" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Предоставляет возможность изменения параметров принтера (такие как рабочий объём, диаметр сопла и так далее)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Параметры принтера действие" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Обеспечивает этап мониторинга в Cura." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Этап мониторинга" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5917,85 +5949,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Инструмент для настройки каждой модели" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Расширение, которое позволяет пользователю создавать скрипты для постобработки" +msgid "Provides support for importing Cura profiles." +msgstr "Предоставляет поддержку для импорта профилей Cura." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Пост обработка" +msgid "Cura Profile Reader" +msgstr "Чтение профиля Cura" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Обеспечивает подготовительный этап в Cura." +msgid "Provides support for reading X3D files." +msgstr "Предоставляет поддержку для чтения X3D файлов." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Подготовительный этап" +msgid "X3D Reader" +msgstr "Чтение X3D" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Обеспечивает действия на этапе предварительного просмотра в Cura." +msgid "Backup and restore your configuration." +msgstr "Резервное копирование и восстановление конфигурации." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Этап предварительного просмотра" +msgid "Cura Backups" +msgstr "Резервные копии Cura" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Предоставляет поддержку для подключения и записи на внешний носитель." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Предоставляет возможность изменения параметров принтера (такие как рабочий объём, диаметр сопла и так далее)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Плагин для работы с внешним носителем" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Регистрирует определенные события в журнале, чтобы их можно было использовать в отчетах об аварийном завершении работы" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Контрольный журнал" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Открытие вида моделирования." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Вид моделирования" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Отправляет анонимную информацию о нарезке моделей. Может быть отключено через настройки." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Информация о нарезке модели" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Предоставляет просмотр твёрдого тела." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Обзор" +msgid "Machine Settings Action" +msgstr "Параметры принтера действие" #: SupportEraser/plugin.json msgctxt "description" @@ -6007,35 +5999,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Средство стирания элемента поддержки" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Поиск, управление и установка новых пакетов Cura." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Предоставляет поддержку для подключения и записи на внешний носитель." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Панель инструментов" +msgid "Removable Drive Output Device Plugin" +msgstr "Плагин для работы с внешним носителем" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Предоставляет поддержку для чтения файлов моделей." +msgid "Provides a machine actions for updating firmware." +msgstr "Обеспечение действий принтера для обновления прошивки." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Средство чтения Trimesh" +msgid "Firmware Updater" +msgstr "Средство обновления прошивки" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Предоставляет поддержку для чтения пакетов формата Ultimaker." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Предоставляет поддержку для импортирования профилей из устаревших версий Cura." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "Средство считывания UFP" +msgid "Legacy Cura Profile Reader" +msgstr "Чтение устаревших профилей Cura" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "Предоставляет поддержку для чтения 3MF файлов." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "Чтение 3MF" #: UFPWriter/plugin.json msgctxt "description" @@ -6047,25 +6049,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "Средство записи UFP" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Предоставляет дополнительные возможности для принтеров Ultimaker (такие как мастер выравнивания стола, выбора обновления и так далее)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Регистрирует определенные события в журнале, чтобы их можно было использовать в отчетах об аварийном завершении работы" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Действия с принтерами Ultimaker" +msgid "Sentry Logger" +msgstr "Контрольный журнал" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Управляет сетевыми соединениями с сетевыми принтерами Ultimaker 3." +msgid "Provides support for importing profiles from g-code files." +msgstr "Предоставляет поддержку для импортирования профилей из G-Code файлов." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Соединение с сетью Ultimaker" +msgid "G-code Profile Reader" +msgstr "Средство считывания профиля из G-кода" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Обеспечивает действия на этапе предварительного просмотра в Cura." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Этап предварительного просмотра" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Предоставляет рентгеновский вид." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Просмотр в рентгене" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "Предоставляет интерфейс к движку CuraEngine." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Движок CuraEngine" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "Обеспечивает поддержку чтения файлов AMF." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "Средство чтения AMF" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Считывает G-код из сжатого архива." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Средство считывания сжатого G-кода" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Расширение, которое позволяет пользователю создавать скрипты для постобработки" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Пост обработка" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Предоставляет поддержку для экспорта профилей Cura." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Запись профиля Cura" #: USBPrinting/plugin.json msgctxt "description" @@ -6077,25 +6149,135 @@ msgctxt "name" msgid "USB printing" msgstr "Печать через USB" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Обновляет настройки Cura 2.1 до Cura 2.2." +msgid "Provides a prepare stage in Cura." +msgstr "Обеспечивает подготовительный этап в Cura." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "Обновление версии 2.1 до 2.2" +msgid "Prepare Stage" +msgstr "Подготовительный этап" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Обновляет настройки Cura 2.2 до Cura 2.4." +msgid "Allows loading and displaying G-code files." +msgstr "Позволяет загружать и отображать файлы G-code." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "Обновление версии 2.2 до 2.4" +msgid "G-code Reader" +msgstr "Чтение G-code" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "Обеспечивает возможность генерировать печатаемую геометрию из файлов двухмерных изображений." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Чтение изображений" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Предоставляет дополнительные возможности для принтеров Ultimaker (такие как мастер выравнивания стола, выбора обновления и так далее)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Действия с принтерами Ultimaker" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "Записывает G-код в сжатый архив." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Средство записи сжатого G-кода" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Проверяет наличие обновлений ПО." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Проверка обновлений" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Отправляет анонимную информацию о нарезке моделей. Может быть отключено через настройки." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Информация о нарезке модели" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "Предоставляет возможности по чтению и записи профилей материалов в виде XML." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Профили материалов" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Подключается к цифровой библиотеке, позволяя Cura открывать файлы из цифровой библиотеки и сохранять файлы в нее." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Цифровая библиотека Ultimaker" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Поиск, управление и установка новых пакетов Cura." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Панель инструментов" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "Записывает G-код в файл." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "Средство записи G-кода" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Открытие вида моделирования." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Вид моделирования" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Обновляет конфигурации Cura 4.5 до Cura 4.6." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "Обновление версии 4.5 до 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6107,55 +6289,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "Обновление версии 2.5 до 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Обновляет настройки Cura 2.6 до Cura 2.7." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Обновляет конфигурацию Cura 4.6.0 до Cura 4.6.2." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "Обновление версии 2.6 до 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "Обновление версии с 4.6.0 до 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Обновляет настройки Cura 2.7 до Cura 3.0." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Обновляет конфигурации Cura 4.7 до Cura 4.8." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "Обновление версии 2.7 до 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Обновление настроек Cura 3.0 до Cura 3.1." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "Обновление версии 3.0 до 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Обновляет настройки Cura 3.2 до Cura 3.3." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "Обновление версии 3.2 до 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Обновляет настройки Cura 3.3 до Cura 3.4." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "Обновление версии 3.3 до 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "Обновление версии 4.7 до 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6167,45 +6319,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "Обновление версии 3.4 до 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Обновляет конфигурации Cura 3.5 до Cura 4.0." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Обновляет настройки Cura 2.1 до Cura 2.2." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "Обновление версии 3.5 до 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "Обновление версии 2.1 до 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Обновляет конфигурации Cura 4.0 до Cura 4.1." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Обновляет настройки Cura 3.2 до Cura 3.3." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "Обновление версии 4.0 до 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "Обновление версии 3.2 до 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Обновляет конфигурации Cura 4.11 до Cura 4.12." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Обновляет конфигурации Cura 4.8 до Cura 4.9." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "Обновление версии 4.11 до 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "Обновление версии 4.8 до 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Обновляет конфигурации Cura 4.1 до Cura 4.2." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Обновляет конфигурацию Cura 4.6.2 до Cura 4.7." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Обновление версии 4.1 до 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "Обновление версии с 4.6.2 до 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6227,66 +6379,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "Обновление версии 4.3 до 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Обновляет конфигурации Cura 4.4 до Cura 4.5." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "Обновление версии 4.4 до 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Обновляет конфигурации Cura 4.5 до Cura 4.6." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "Обновление версии 4.5 до 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Обновляет конфигурацию Cura 4.6.0 до Cura 4.6.2." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "Обновление версии с 4.6.0 до 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Обновляет конфигурацию Cura 4.6.2 до Cura 4.7." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "Обновление версии с 4.6.2 до 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Обновляет конфигурации Cura 4.7 до Cura 4.8." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "Обновление версии 4.7 до 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Обновляет конфигурации Cura 4.8 до Cura 4.9." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "Обновление версии 4.8 до 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6297,35 +6389,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "Обновление версии 4.9 до 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "Предоставляет поддержку для чтения X3D файлов." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Обновляет настройки Cura 2.7 до Cura 3.0." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "Чтение X3D" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "Обновление версии 2.7 до 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "Предоставляет возможности по чтению и записи профилей материалов в виде XML." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Обновляет настройки Cura 2.6 до Cura 2.7." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Профили материалов" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "Обновление версии 2.6 до 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Предоставляет рентгеновский вид." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Обновляет конфигурации Cura 4.11 до Cura 4.12." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Просмотр в рентгене" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "Обновление версии 4.11 до 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Обновляет настройки Cura 3.3 до Cura 3.4." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "Обновление версии 3.3 до 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Обновление настроек Cura 3.0 до Cura 3.1." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "Обновление версии 3.0 до 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Обновляет конфигурации Cura 4.0 до Cura 4.1." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "Обновление версии 4.0 до 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Обновляет конфигурации Cura 4.4 до Cura 4.5." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "Обновление версии 4.4 до 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Обновляет настройки Cura 2.2 до Cura 2.4." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "Обновление версии 2.2 до 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Обновляет конфигурации Cura 4.1 до Cura 4.2." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Обновление версии 4.1 до 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Обновляет конфигурации Cura 3.5 до Cura 4.0." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "Обновление версии 3.5 до 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Управляет сетевыми соединениями с сетевыми принтерами Ultimaker 3." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Соединение с сетью Ultimaker" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Предоставляет поддержку для чтения файлов моделей." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Средство чтения Trimesh" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Предоставляет поддержку для чтения пакетов формата Ultimaker." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "Средство считывания UFP" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Предоставляет просмотр твёрдого тела." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Обзор" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "Предоставляет возможность записи 3MF файлов." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "Запись 3MF" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Обеспечивает этап мониторинга в Cura." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Этап мониторинга" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Проверка моделей и конфигурации печати для выявления возможных проблем печати; рекомендации." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Средство проверки моделей" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/ru_RU/fdmextruder.def.json.po b/resources/i18n/ru_RU/fdmextruder.def.json.po index f66f1c3ae2..1b954f3ce2 100644 --- a/resources/i18n/ru_RU/fdmextruder.def.json.po +++ b/resources/i18n/ru_RU/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Bothof \n" "Language-Team: Ruslan Popov , Russian \n" diff --git a/resources/i18n/ru_RU/fdmprinter.def.json.po b/resources/i18n/ru_RU/fdmprinter.def.json.po index 80d3338cc1..c5ff5a962f 100644 --- a/resources/i18n/ru_RU/fdmprinter.def.json.po +++ b/resources/i18n/ru_RU/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Russian , Ruslan Popov , Russian \n" @@ -54,8 +54,10 @@ msgstr "Стартовый G-код" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "Команды в G-коде, которые будут выполнены в самом начале, разделенные с помощью \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -64,8 +66,10 @@ msgstr "Завершающий G-код" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "Команды в G-коде, которые будут выполнены в самом конце, разделенные с помощью \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -100,12 +104,12 @@ msgstr "Следует ли добавлять команду ожидания #: fdmprinter.def.json msgctxt "material_print_temp_wait label" msgid "Wait for Nozzle Heatup" -msgstr "Ожидать пока прогреется голова" +msgstr "Ожидать пока прогреется сопло" #: fdmprinter.def.json msgctxt "material_print_temp_wait description" msgid "Whether to wait until the nozzle temperature is reached at the start." -msgstr "Следует ли добавлять команду ожидания прогрева головы перед началом печати." +msgstr "Следует ли добавлять команду ожидания прогрева сопла перед началом печати." #: fdmprinter.def.json msgctxt "material_print_temp_prepend label" @@ -147,6 +151,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Ширина (по оси Y) области печати." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Высота принтера" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Ширина (по оси Z) области печати." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -187,16 +201,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Алюминий" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Высота принтера" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Ширина (по оси Z) области печати." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -554,8 +558,8 @@ msgstr "Максимальная скорость для мотора оси Z." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Максимальная подача" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1724,12 +1728,8 @@ msgstr "Шаблон заполнения" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Шаблон заполняющего материала печати. Линейное и зигзагообразное заполнение меняет направление на чередующихся слоях, снижая расходы на материал. Шаблоны" -" «сетка», «треугольник», «шестигранник из треугольников», «куб», «восьмигранник», «четверть куба», «крестовое», «концентрическое» полностью печатаются" -" в каждом слое. Шаблоны заполнения «гироид», «куб», «четверть куба» и «восьмигранник» меняются в каждом слое, чтобы обеспечить более равномерное распределение" -" прочности в каждом направлении. Шаблон заполнения «молния» пытается минимизировать заполнение, поддерживая только (внутренние) верхние части объекта." -" Таким образом, процент заполнения «действует» только на один слой ниже того, который требуется для поддержки модели." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2042,9 +2042,8 @@ msgstr "Угол обрезки шаблона заполнения «молни #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "Разность, которая может возникать между слоем шаблона заполнения «молния» и слоем, расположенным непосредственно над ним, при обрезке внешних оконечностей" -" деревьев. Измеряется под углом с учетом толщины." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2053,9 +2052,8 @@ msgstr "Угол выпрямления шаблона заполнения «м #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "Разность, которая может возникать между слоем шаблона заполнения «молния» и слоем, расположенным непосредственно над ним, при выравнивании деревьев. Измеряется" -" под углом с учетом толщины." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6480,6 +6478,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Матрица преобразования, применяемая к модели при её загрузке из файла." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "Команды в G-коде, которые будут выполнены в самом начале, разделенные с помощью \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "Команды в G-коде, которые будут выполнены в самом конце, разделенные с помощью \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Максимальная подача" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Шаблон заполняющего материала печати. Линейное и зигзагообразное заполнение меняет направление на чередующихся слоях, снижая расходы на материал. Шаблоны «сетка», «треугольник», «шестигранник из треугольников», «куб», «восьмигранник», «четверть куба», «крестовое», «концентрическое» полностью печатаются в каждом слое. Шаблоны заполнения «гироид», «куб», «четверть куба» и «восьмигранник» меняются в каждом слое, чтобы обеспечить более равномерное распределение прочности в каждом направлении. Шаблон заполнения «молния» пытается минимизировать заполнение, поддерживая только (внутренние) верхние части объекта. Таким образом, процент заполнения «действует» только на один слой ниже того, который требуется для поддержки модели." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "Разность, которая может возникать между слоем шаблона заполнения «молния» и слоем, расположенным непосредственно над ним, при обрезке внешних оконечностей деревьев. Измеряется под углом с учетом толщины." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "Разность, которая может возникать между слоем шаблона заполнения «молния» и слоем, расположенным непосредственно над ним, при выравнивании деревьев. Измеряется под углом с учетом толщины." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Шаблон заполняющего материала печати. Линейное и зигзагообразное заполнение меняет направление на чередующихся слоях, снижая расходы на материал. Шаблоны «сетка», «треугольник», «шестигранник из треугольников», «куб», «восьмигранник», «четверть куба», «крестовое», «концентрическое» полностью печатаются в каждом слое. Шаблоны заполнения «гироид», «куб», «четверть куба» и «восьмигранник» меняются в каждом слое, чтобы обеспечить более равномерное распределение прочности в каждом направлении." @@ -7230,7 +7252,7 @@ msgstr "Матрица преобразования, применяемая к #~ msgctxt "material_print_temp_wait label" #~ msgid "Wait for nozzle heatup" -#~ msgstr "Ожидать пока прогреется голова" +#~ msgstr "Ожидать пока прогреется сопло" #~ msgctxt "material_print_temp_prepend label" #~ msgid "Include material temperatures" diff --git a/resources/i18n/tr_TR/cura.po b/resources/i18n/tr_TR/cura.po index d0093a84fa..ba412ed7b9 100644 --- a/resources/i18n/tr_TR/cura.po +++ b/resources/i18n/tr_TR/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-04-16 14:58+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Turkish , Turkish \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=2; plural=(n != 1);\n" "X-Generator: Poedit 2.4.1\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "Bilinmiyor" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "Kullanıcı veri dizininden arşiv oluşturulamadı: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "Aşağıdaki yazıcı(lar) bir grubun parçası olmadıkları için bağlanamıyor" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "Yedekle" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "Mevcut ağ yazıcıları" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "Uygun veri veya meta veri olmadan Cura yedeği geri yüklenmeye çalışıldı." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "Geçersiz kılınmadı" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "Geçerli sürümünüzden yüksek bir sürüme sahip bir Cura yedeği geri yüklenmeye çalışıldı." -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "Cura yedeklemesi geri yüklenmeye çalışılırken aşağıdaki hata oluştu:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "Lütfen baskıya başlamadan önce malzeme profillerini yazıcılarınızla senkronize edin." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "Yeni malzemeler yüklendi" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "Malzemeleri yazıcılarla senkronize et" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "Daha fazla bilgi edinin" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "Malzeme arşivi {} konumuna kaydedilemedi:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "Malzeme arşivi kaydedilemedi" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "Portalın yazdırılan modeller ile çarpışmasını önlemek için yapı hacmi yüksekliği “Sıralamayı Yazdır” ayarı nedeniyle azaltıldı." + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "Yapı Disk Bölümü" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "{0} yazıcısını kaldırmak istediğinizden emin misiniz? Bu işlem geri alınamaz!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "Geçersiz kılınmadı" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "Bilinmiyor" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "Aşağıdaki yazıcı(lar) bir grubun parçası olmadıkları için bağlanamıyor" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "Mevcut ağ yazıcıları" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "Görsel" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "Görsel profili, yüksek görsel ve yüzey kalitesi oluşturmak amacıyla, görsel prototipler ve modeller basılması için tasarlanmıştır." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "Mühendislik profili, daha yüksek doğruluk ve daha yakın toleranslar sağlamak amacıyla, işlevsel prototipler ve son kullanım parçaları basılması için tasarlanmıştır." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "Taslak" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "Taslak profili, baskı süresinin önemli ölçüde kısaltılması amacıyla, birincil prototipler basılması ve konsept doğrulaması yapılması için tasarlanmıştır." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "Lütfen baskıya başlamadan önce malzeme profillerini yazıcılarınızla senkronize edin." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "Yeni malzemeler yüklendi" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "Malzemeleri yazıcılarla senkronize et" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "Daha fazla bilgi edinin" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "Özel Malzeme" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "Özel" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "Malzeme arşivi {} konumuna kaydedilemedi:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "Malzeme arşivi kaydedilemedi" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "Özel profiller" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "Tüm desteklenen türler ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "Tüm Dosyalar (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "Görsel" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "Görsel profili, yüksek görsel ve yüzey kalitesi oluşturmak amacıyla, görsel prototipler ve modeller basılması için tasarlanmıştır." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "Mühendislik profili, daha yüksek doğruluk ve daha yakın toleranslar sağlamak amacıyla, işlevsel prototipler ve son kullanım parçaları basılması için tasarlanmıştır." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "Taslak" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "Taslak profili, baskı süresinin önemli ölçüde kısaltılması amacıyla, birincil prototipler basılması ve konsept doğrulaması yapılması için tasarlanmıştır." + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "Özel Malzeme" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "Özel" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "Giriş başarısız" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "Nesneler için yeni konum bulunuyor" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "Konumu Buluyor" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "Yapılan hacim içinde tüm nesneler için konum bulunamadı" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "Konum Bulunamıyor" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "Kullanıcı veri dizininden arşiv oluşturulamadı: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "Yedekle" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "Uygun veri veya meta veri olmadan Cura yedeği geri yüklenmeye çalışıldı." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "Geçerli sürümünüzden yüksek bir sürüme sahip bir Cura yedeği geri yüklenmeye çalışıldı." +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "Cura yedeklemesi geri yüklenmeye çalışılırken aşağıdaki hata oluştu:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "Makineler yükleniyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "Tercihler ayarlanıyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "Etkin Makine Başlatılıyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "Makine yöneticisi başlatılıyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "Yapı hacmi başlatılıyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "Görünüm ayarlanıyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "Arayüz yükleniyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "Motor başlatılıyor..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "Portalın yazdırılan modeller ile çarpışmasını önlemek için yapı hacmi yüksekliği “Sıralamayı Yazdır” ayarı nedeniyle azaltıldı." +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "Aynı anda yalnızca bir G-code dosyası yüklenebilir. {0} içe aktarma atlandı" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "Yapı Disk Bölümü" +msgid "Warning" +msgstr "Uyarı" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "G-code yüklenirken başka bir dosya açılamaz. {0} içe aktarma atlandı" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "Hata" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "Atla" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "Kapat" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "Sonraki" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "Bitir" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "Ekle" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "İptal Et" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "Grup #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "Dış Duvar" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "İç Duvarlar" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "Yüzey Alanı" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "Dolgu" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "Destek Dolgusu" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "Destek Arayüzü" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "Destek" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Etek" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "Astarlama Direği" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "Hareket" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "Geri Çekmeler" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "Diğer" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "Sürüm notları açılamadı." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura başlatılamıyor" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    Sorunu düzeltmek için lütfen bu Çökme Raporunu bize gönderin.

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "Çökme raporunu Ultimaker’a gönder" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "Ayrıntılı çökme raporu göster" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "Yapılandırma Klasörünü Göster" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "Yapılandırmayı Yedekle ve Sıfırla" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "Çökme Raporu" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,702 +510,641 @@ msgstr "" "

    Sunucularımıza otomatik olarak bir hata raporu yüklemek için lütfen \"Rapor gönder\" düğmesini kullanın

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "Sistem bilgileri" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "Bilinmiyor" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura sürümü" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura dili" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "İşletim sistemi dili" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "Platform" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt Sürümü" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt Sürümü" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "Henüz başlatılmadı
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL Sürümü: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL Satıcısı: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL Oluşturucusu: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "Hata geri izleme" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "Günlükler" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "Rapor gönder" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "Makineler yükleniyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "Tercihler ayarlanıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "Etkin Makine Başlatılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "Makine yöneticisi başlatılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "Yapı hacmi başlatılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "Görünüm ayarlanıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "Arayüz yükleniyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "Motor başlatılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "Aynı anda yalnızca bir G-code dosyası yüklenebilir. {0} içe aktarma atlandı" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "Uyarı" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "G-code yüklenirken başka bir dosya açılamaz. {0} içe aktarma atlandı" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "Hata" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "Nesneler çoğaltılıyor ve yerleştiriliyor" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "Nesneler Yerleştiriliyor" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "Nesne Yerleştiriliyor" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "Yanıt okunamadı." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "Sağlanan durum doğru değil." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "Lütfen bu başvuruya yetki verirken gerekli izinleri verin." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "Oturum açmaya çalışırken beklenmeyen bir sorun oluştu, lütfen tekrar deneyin." - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "Yeni bir oturum açma işlemi başlatılamıyor. Başka bir aktif oturum açma girişimi olup olmadığını kontrol edin." -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "Ultimaker hesabı sunucusuna ulaşılamadı." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "Sağlanan durum doğru değil." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "Lütfen bu başvuruya yetki verirken gerekli izinleri verin." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "Oturum açmaya çalışırken beklenmeyen bir sorun oluştu, lütfen tekrar deneyin." + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "Yanıt okunamadı." + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "Nesneler çoğaltılıyor ve yerleştiriliyor" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "Nesneler Yerleştiriliyor" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "Nesne Yerleştiriliyor" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "Desteklenmiyor" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "Nozül" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "Ayarlar, ekstrüderlerin mevcut kullanılabilirliğine uyacak şekilde değiştirildi:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "Ayarlar güncellendi" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "Ekstrüder(ler) Devre Dışı Bırakıldı" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "Dosya Zaten Mevcut" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "Dosya {0} zaten mevcut. Üstüne yazmak istediğinizden emin misiniz?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "Geçersiz dosya URL’si:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "Profilin {0} dosyasına aktarımı başarısız oldu: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "Profilin {0} dosyasına aktarımı başarısız oldu: Yazıcı eklentisinde rapor edilen hata." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "Profil {0} dosyasına aktarıldı" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "Dışa aktarma başarılı" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "{0} dosyasından profil içe aktarımı başarısız oldu: {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "Yazıcı eklenmeden önce profil, {0} dosyasından içe aktarılamaz." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "{0} dosyasında içe aktarılabilecek özel profil yok" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "{0} dosyasından profil içe aktarımı başarısız oldu:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "Bu {0} profili yanlış veri içeriyor, içeri aktarılamadı." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "{0} dosyasından profil içe aktarımı başarısız oldu:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "{0} profili başarıyla içe aktarıldı." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "Dosya {0} geçerli bir profil içermemekte." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "Profil {0} öğesinde bilinmeyen bir dosya türü var veya profil bozuk." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "Özel profil" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "Profilde eksik bir kalite tipi var." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "Henüz etkin bir yazıcı yok." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "Profil eklenemiyor." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "'{0}' kalite tipi, mevcut aktif makine tanımı '{1}' ile uyumlu değil." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "Uyarı: Profilin '{0}' kalite tipi, mevcut yapılandırma için kullanılabilir olmadığından profil görünür değil. Bu kalite tipini kullanabilen malzeme/nozül kombinasyonuna geçiş yapın." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "Desteklenmiyor" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "Nozül" +msgid "Per Model Settings" +msgstr "Model Başına Ayarlar" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "Ayarlar, ekstrüderlerin mevcut kullanılabilirliğine uyacak şekilde değiştirildi:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "Model Başına Ayarları Yapılandır" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura Profili" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D Dosyası" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "Yedeklemeniz geri yüklenirken bir hata oluştu." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "Ayarlar güncellendi" +msgid "Backups" +msgstr "Yedeklemeler" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 -msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "Ekstrüder(ler) Devre Dışı Bırakıldı" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "Yedeklemeniz yüklenirken bir hata oluştu." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 -msgctxt "@action:button" -msgid "Add" -msgstr "Ekle" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "Yedeklemeniz oluşturuluyor..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 -msgctxt "@action:button" -msgid "Finish" -msgstr "Bitir" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "Yedeklemeniz oluşturulurken bir hata oluştu." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 -msgctxt "@action:button" -msgid "Cancel" -msgstr "İptal Et" +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "Yedeklemeniz yükleniyor..." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "Yedeklemenizin yüklenmesi tamamlandı." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "Yedekleme maksimum dosya boyutunu aşıyor." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "Yedeklemeleri yönet" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "Makine Ayarları" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "Destek Engelleyici" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "Desteklerin yazdırılmadığı bir hacim oluşturun." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "Çıkarılabilir Sürücü" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "Çıkarılabilir Sürücüye Kaydet" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 #, python-brace-format -msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "Grup #{group_nr}" +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "Çıkarılabilir Sürücüye Kaydediliyor {0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "Dış Duvar" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "Yazılacak dosya biçimleri mevcut değil!" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "İç Duvarlar" +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "Çıkarılabilir Sürücü {0} Üzerine Kaydediliyor" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "Yüzey Alanı" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "Dolgu" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "Destek Dolgusu" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "Destek Arayüzü" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "Destek" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Etek" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "Astarlama Direği" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "Hareket" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "Geri Çekmeler" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "Diğer" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "Sürüm notları açılamadı." - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "Sonraki" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "Atla" - -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "Kapat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "3D Model Assistant" -msgstr "3D Model Yardımcısı" +msgid "Saving" +msgstr "Kaydediliyor" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "{0} dosyasına kaydedilemedi: {1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "{device} üzerine yazmaya çalışırken dosya adı bulunamadı." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 #, python-brace-format msgctxt "@info:status" -msgid "" -"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" -"

    {model_names}

    \n" -"

    Find out how to ensure the best possible print quality and reliability.

    \n" -"

    View print quality guide

    " -msgstr "" -"

    Model boyutu ve model yapılandırması nedeniyle bir veya daha fazla 3D model optimum yazdırılamayabilir:

    \n" -"

    {model_names}

    \n" -"

    En iyi kalite ve güvenilirliği nasıl elde edeceğinizi öğrenin.

    \n" -"

    Yazdırma kalitesi kılavuzunu görüntüleyin

    " +msgid "Could not save to removable drive {0}: {1}" +msgstr "Çıkarılabilir aygıta {0} kaydedilemedi: {1}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "Çıkarılabilir Sürücüye {0}, {1} olarak kaydedildi" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "Dosya Kaydedildi" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +msgctxt "@action:button" +msgid "Eject" +msgstr "Çıkar" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "Çıkarılabilir aygıtı çıkar {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "Çıkarıldı {0}. Şimdi sürücüyü güvenle kaldırabilirsiniz." + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "Donanımı Güvenli Bir Şekilde Kaldırın" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "Çıkarma işlemi başarısız oldu {0}. Başka bir program sürücüyü kullanıyor olabilir." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "Aygıt Yazılımını Güncelle" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 profilleri" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "Önerilen Ayarlar" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "Özel" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." msgstr "Proje dosyası {0} bilinmeyen bir makine tipi içeriyor: {1}. Makine alınamıyor. Bunun yerine modeller alınacak." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 msgctxt "@info:title" msgid "Open Project File" msgstr "Proje Dosyası Aç" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is suddenly inaccessible: {1}." msgstr "{0} proje dosyası aniden erişilemez oldu: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 msgctxt "@info:title" msgid "Can't Open Project File" msgstr "Proje Dosyası Açılamıyor" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 #, python-brace-format msgctxt "@info:error Don't translate the XML tags or !" msgid "Project file {0} is corrupt: {1}." msgstr "Proje dosyası {0} bozuk: {1}." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 #, python-brace-format msgctxt "@info:error Don't translate the XML tag !" msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." msgstr "{0} proje dosyası, Ultimaker Cura'nın bu sürümünde bilinmeyen profiller kullanılarak yapılmış." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "Önerilen Ayarlar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "Özel" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 msgctxt "@item:inlistbox" msgid "3MF File" msgstr "3MF Dosyası" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF Writer eklentisi bozuk." +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "UFP dosyasına yazamıyor:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "Burada çalışma alanını yazmak için izin yok." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "İşletim sistemi, proje dosyalarının bu konuma veya bu dosya adıyla kaydedilmesine izin vermiyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "3mf dosyasını yazarken hata oluştu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF dosyası" +msgid "Ultimaker Format Package" +msgstr "Ultimaker Biçim Paketi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura Projesi 3MF dosyası" +msgid "G-code File" +msgstr "G-code dosyası" -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF Dosyası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "Yedeklemeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "Yedeklemeniz yüklenirken bir hata oluştu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "Yedeklemeniz oluşturuluyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "Yedeklemeniz oluşturulurken bir hata oluştu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "Yedeklemeniz yükleniyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "Yedeklemenizin yüklenmesi tamamlandı." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "Yedekleme maksimum dosya boyutunu aşıyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "Yedeklemeniz geri yüklenirken bir hata oluştu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "Yedeklemeleri yönet" +msgid "Preview" +msgstr "Önizleme" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "Röntgen Görüntüsü" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "Katmanlar İşleniyor" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "Bilgi" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 msgctxt "@message" msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." msgstr "Dilimleme işlemi beklenmeyen bir hatayla başarısız oldu. Lütfen sorun izleyicimizde hata bildirmeyi düşünün." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 msgctxt "@message:title" msgid "Slicing failed" msgstr "Dilimleme başarısız" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 msgctxt "@message:button" msgid "Report a bug" msgstr "Hata bildirin" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 msgctxt "@message:description" msgid "Report a bug on Ultimaker Cura's issue tracker." msgstr "Ultimaker Cura'nın sorun izleyicisinde hata bildirin." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 msgctxt "@info:status" msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." msgstr "Mevcut malzeme, seçilen makine veya yapılandırma ile uyumlu olmadığından mevcut malzeme ile dilimlenemedi." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 msgctxt "@info:title" msgid "Unable to slice" msgstr "Dilimlenemedi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice with the current settings. The following settings have errors: {0}" msgstr "Geçerli ayarlarla dilimlenemiyor. Şu ayarlarda hata var: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 #, python-brace-format msgctxt "@info:status" msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" msgstr "Modele özgü ayarlar nedeniyle dilimlenemedi. Şu ayarlar bir veya daha fazla modelde hataya yol açıyor: {error_labels}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 msgctxt "@info:status" msgid "Unable to slice because the prime tower or prime position(s) are invalid." msgstr "İlk direk veya ilk konum(lar) geçersiz olduğu için dilimlenemiyor." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 #, python-format msgctxt "@info:status" msgid "Unable to slice because there are objects associated with disabled Extruder %s." msgstr "Etkisizleştirilmiş Extruder %s ile ilgili nesneler olduğundan dilimleme yapılamıyor." -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 msgctxt "@info:status" msgid "" "Please review settings and check if your models:\n" @@ -981,475 +1157,436 @@ msgstr "" "- Etkin bir ekstrüdere atanma\n" "- Değiştirici kafesler olarak ayarlanmama" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "Katmanlar İşleniyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "Bilgi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura Profili" +msgid "AMF File" +msgstr "AMF Dosyası" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "Sıkıştırılmış G-code Dosyası" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "Son İşleme" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "G-Code Öğesini Değiştir" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB yazdırma" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "USB ile yazdır" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "USB ile yazdır" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "USB ile bağlı" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USB’den yazdırma devam ediyor, Cura’yı kapatmanız bu yazdırma işlemini durduracak. Emin misiniz?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "Devam eden bir baskı var. Cura, önceki baskı tamamlanmadan USB aracılığıyla başka bir baskı işi başlatamaz." + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "Baskı Sürüyor" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "Hazırla" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "G-code ayrıştırma" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-code Ayrıntıları" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "Dosya göndermeden önce g-code’un yazıcınız ve yazıcı yapılandırmanız için uygun olduğundan emin olun. G-code temsili doğru olmayabilir." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G Dosyası" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG Resmi" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG Resmi" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG Resmi" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP Resmi" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF Resmi" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "Yapı levhasını dengele" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "Yükseltmeleri seçin" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter yazı modunu desteklemez." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 msgctxt "@info" msgid "Could not access update information." msgstr "Güncelleme bilgilerine erişilemedi." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 #, python-brace-format msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." msgstr "{machine_name} cihazınız için yeni özellikler veya hata düzeltmeleri mevcut olabilir! Henüz son sürüme geçmediyseniz yazıcınızın donanım yazılımını {latest_version} sürümüne güncellemeniz önerilir." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 #, python-format msgctxt "@info:title The %s gets replaced with the printer name." msgid "New %s stable firmware available" msgstr "Yeni %s istikrarlı donanım yazılımı yayınlandı" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" msgid "How to update" msgstr "Nasıl güncellenir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" -msgid "Update Firmware" -msgstr "Aygıt Yazılımını Güncelle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "Sıkıştırılmış G-code Dosyası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter yazı modunu desteklemez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code dosyası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "G-code ayrıştırma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-code Ayrıntıları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "Dosya göndermeden önce g-code’un yazıcınız ve yazıcı yapılandırmanız için uygun olduğundan emin olun. G-code temsili doğru olmayabilir." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G Dosyası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter metin dışı modu desteklemez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "Lütfen dışa aktarmadan önce G-code'u hazırlayın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG Resmi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG Resmi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG Resmi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP Resmi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF Resmi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 profilleri" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "Makine Ayarları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "Görüntüle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 -msgctxt "@label" -msgid "Per Model Settings" -msgstr "Model Başına Ayarlar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "Model Başına Ayarları Yapılandır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "Son İşleme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "G-Code Öğesini Değiştir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "Hazırla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "Önizleme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "Çıkarılabilir Sürücüye Kaydet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "Çıkarılabilir Sürücüye Kaydediliyor {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "Yazılacak dosya biçimleri mevcut değil!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "Çıkarılabilir Sürücü {0} Üzerine Kaydediliyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "Kaydediliyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "{0} dosyasına kaydedilemedi: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "{device} üzerine yazmaya çalışırken dosya adı bulunamadı." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "Çıkarılabilir aygıta {0} kaydedilemedi: {1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "Çıkarılabilir Sürücüye {0}, {1} olarak kaydedildi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "Dosya Kaydedildi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "Çıkar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "Çıkarılabilir aygıtı çıkar {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "Çıkarıldı {0}. Şimdi sürücüyü güvenle kaldırabilirsiniz." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "Donanımı Güvenli Bir Şekilde Kaldırın" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "Çıkarma işlemi başarısız oldu {0}. Başka bir program sürücüyü kullanıyor olabilir." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "Çıkarılabilir Sürücü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "Kablo Yazdırma etkinleştirildiğinde Cura, katmanları doğru olarak görüntülemez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "Simülasyon Görünümü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "Önce dilimleme yapmanız gerektiğinden hiçbir şey gösterilmez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "Görüntülenecek katman yok" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "Bu mesajı bir daha gösterme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "Katman görünümü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 msgctxt "@text" msgid "Unable to read example data file." msgstr "Örnek veri dosyası okunamıyor." -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "Vurgulanan alanlar, eksik ya da ikincil yüzeyleri gösterir. Modelinizi düzeltin ve Cura'da tekrar açın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "Model hataları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "Gerçek görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 -msgctxt "@label" -msgid "Support Blocker" -msgstr "Destek Engelleyici" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "Desteklerin yazdırılmadığı bir hacim oluşturun." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "Malzeme ve yazılım paketlerini hesabınızla senkronize etmek istiyor musunuz?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "Ultimaker hesabınızda değişiklik tespit edildi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 -msgctxt "@action:button" -msgid "Sync" -msgstr "Senkronize et" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "Senkronize ediliyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "Reddet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "Kabul ediyorum" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 -msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "Eklenti Lisans Anlaşması" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "Reddet ve hesaptan kaldır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 msgctxt "@info:generic" msgid "You need to quit and restart {} before changes have effect." msgstr "Değişikliklerin etkili olması için {} uygulamasını kapatarak yeniden başlatmalısınız." -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "Senkronize ediliyor..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "Ultimaker hesabınızda değişiklik tespit edildi" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "Malzeme ve yazılım paketlerini hesabınızla senkronize etmek istiyor musunuz?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +msgctxt "@action:button" +msgid "Sync" +msgstr "Senkronize et" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "Reddet ve hesaptan kaldır" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 msgctxt "@info:generic" msgid "{} plugins failed to download" msgstr "{} eklenti indirilemedi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "Open Compressed Triangle Mesh" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "Reddet" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "Kabul ediyorum" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "Eklenti Lisans Anlaşması" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter metin dışı modu desteklemez." + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "Lütfen dışa aktarmadan önce G-code'u hazırlayın." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "Kablo Yazdırma etkinleştirildiğinde Cura, katmanları doğru olarak görüntülemez." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "Simülasyon Görünümü" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "Önce dilimleme yapmanız gerektiğinden hiçbir şey gösterilmez." + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "Görüntülenecek katman yok" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "Bu mesajı bir daha gösterme" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" +msgid "Layer view" +msgstr "Katman görünümü" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "Ağ üzerinden yazdır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "Ağ üzerinden yazdır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford Triangle Format" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "Ağ üzerinden bağlandı" -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "yarın" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker Biçim Paketi" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "bugün" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "UFP dosyasına yazamıyor:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 msgctxt "@action" -msgid "Level build plate" -msgstr "Yapı levhasını dengele" +msgid "Connect via Network" +msgstr "Ağ ile Bağlan" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "Mevcut iş gönderilene kadar bekleyin." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "Baskı hatası" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "Yazdırma işi yazıcıya başarıyla gönderildi." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "Veri Gönderildi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "Ultimaker Connect çalıştırmayan bir yazıcıya bağlanmaya çalışıyorsunuz. Lütfen yazıcının donanım yazılımını son sürüme güncelleyin." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "Yazıcınızı güncelleyin" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "Baskı işi kuyruğu dolu. Yazıcı yeni iş kabul edemez." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "Kuyruk Dolu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "Yazdırma İşi Gönderiliyor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "Baskı işi yazıcıya yükleniyor." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura, henüz {0} grubunun ana yazıcısına yüklenmemiş malzeme profilleri tespit etti." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "Malzemeler yazıcıya gönderiliyor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "Veri yazıcıya yüklenemedi." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "Ağ hatası" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "{0} ile bağlantı kurmayı deniyorsunuz ancak cihaz bir grubun ana makinesi değil. Bu cihazı grup ana makinesi olarak yapılandırmak için web sayfasını ziyaret edebilirsiniz." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "Grup ana makinesi değil" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 msgctxt "@action" -msgid "Select upgrades" -msgstr "Yükseltmeleri seçin" +msgid "Configure group" +msgstr "Grubu yapılandır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"{printer_name} adlı yazıcınız bulut aracılığıyla bağlanamadı.\n" +" Baskı kuyruğunuzu yönetin ve yazıcınızı Digital Factory'ye bağlayarak baskılarınızı dilediğiniz yerden takip edin" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "Buluttan yazdırma için hazır mısınız?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "Başlayın" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "Daha fazla bilgi edinin" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 msgctxt "@action:button" msgid "Print via cloud" msgstr "Bulut üzerinden yazdır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 msgctxt "@properties:tooltip" msgid "Print via cloud" msgstr "Bulut üzerinden yazdır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 msgctxt "@info:status" msgid "Connected via cloud" msgstr "Bulut üzerinden bağlı" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 msgctxt "@action:button" msgid "Monitor print" msgstr "Baskı izleme" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 msgctxt "@action:tooltip" msgid "Track the print in Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory'de baskıyı izleyin" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 #, python-brace-format msgctxt "@error:send" msgid "Unknown error code when uploading print job: {0}" msgstr "Baskı işi yüklenirken bilinmeyen hata kodu: {0}" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 msgctxt "info:status" msgid "New printer detected from your Ultimaker account" msgid_plural "New printers detected from your Ultimaker account" msgstr[0] "Ultimaker hesabınızdan yeni yazıcı tespit edildi" msgstr[1] "Ultimaker hesabınızdan yeni yazıcılar tespit edildi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 #, python-brace-format msgctxt "info:status Filled in with printer name and printer model." msgid "Adding printer {name} ({model}) from your account" msgstr "{name} yazıcısı ({model}) hesabınızdan ekleniyor" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 #, python-brace-format msgctxt "info:{0} gets replaced by a number of printers" msgid "... and {0} other" @@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others" msgstr[0] "... ve {0} diğeri" msgstr[1] "... ve {0} diğeri" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 msgctxt "info:status" msgid "Printers added from Digital Factory:" msgstr "Digital Factory'den eklenen yazıcılar:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 msgctxt "info:status" msgid "A cloud connection is not available for a printer" msgid_plural "A cloud connection is not available for some printers" msgstr[0] "Yazıcı için kullanılabilir bulut bağlantısı yok" msgstr[1] "Bazı yazıcılar için kullanılabilir bulut bağlantısı yok" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 msgctxt "info:status" msgid "This printer is not linked to the Digital Factory:" msgid_plural "These printers are not linked to the Digital Factory:" msgstr[0] "Bu yazıcı Digital Factory ile bağlantılandırılmamış:" msgstr[1] "Bu yazıcılar Digital Factory ile bağlantılandırılmamış:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 msgctxt "info:name" msgid "Ultimaker Digital Factory" msgstr "Ultimaker Digital Factory" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 #, python-brace-format msgctxt "info:status" msgid "To establish a connection, please visit the {website_link}" msgstr "Bağlantı kurmak için lütfen {website_link} adresini ziyaret edin" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 msgctxt "@action:button" msgid "Keep printer configurations" msgstr "Yazıcı yapılandırmalarını koru" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 msgctxt "@action:button" msgid "Remove printers" msgstr "Yazıcıları kaldır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "{printer_name} will be removed until the next account sync." msgstr "{printer_name} yazıcısı bir sonraki hesap senkronizasyonuna kadar kaldırılacak." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "To remove {printer_name} permanently, visit {digital_factory_link}" msgstr "{printer_name} yazıcısını kalıcı olarak kaldırmak için {digital_factory_link} adresini ziyaret edin" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 #, python-brace-format msgctxt "@message {printer_name} is replaced with the name of the printer" msgid "Are you sure you want to remove {printer_name} temporarily?" msgstr "{printer_name} yazıcısını geçici olarak kaldırmak istediğinizden emin misiniz?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 msgctxt "@title:window" msgid "Remove printers?" msgstr "Yazıcılar kaldırılsın mı?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" msgid "" @@ -1537,7 +1674,7 @@ msgstr[1] "" "{0} yazıcıyı Cura'dan kaldırmak üzeresiniz. Bu işlem geri alınamaz.\n" "Devam etmek istediğinizden emin misiniz?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 msgctxt "@label" msgid "" "You are about to remove all printers from Cura. This action cannot be undone.\n" @@ -1546,770 +1683,1638 @@ msgstr "" "Tüm yazıcıları Cura'dan kaldırmak üzeresiniz. Bu işlem geri alınamaz.\n" "Devam etmek istediğinizden emin misiniz?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "Open Compressed Triangle Mesh" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford Triangle Format" + +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "Vurgulanan alanlar, eksik ya da ikincil yüzeyleri gösterir. Modelinizi düzeltin ve Cura'da tekrar açın." + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "Model hataları" + +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "Gerçek görünüm" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "3mf dosyasını yazarken hata oluştu." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "3MF Writer eklentisi bozuk." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "Burada çalışma alanını yazmak için izin yok." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "İşletim sistemi, proje dosyalarının bu konuma veya bu dosya adıyla kaydedilmesine izin vermiyor." + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF dosyası" + +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura Projesi 3MF dosyası" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "Görüntüle" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 +msgctxt "@info:title" +msgid "3D Model Assistant" +msgstr "3D Model Yardımcısı" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "{printer_name} adlı yazıcınız bulut aracılığıyla bağlanamadı.\n Baskı kuyruğunuzu yönetin ve yazıcınızı Digital Factory'ye bağlayarak baskılarınızı" -" dilediğiniz yerden takip edin" +"

    One or more 3D models may not print optimally due to the model size and material configuration:

    \n" +"

    {model_names}

    \n" +"

    Find out how to ensure the best possible print quality and reliability.

    \n" +"

    View print quality guide

    " +msgstr "" +"

    Model boyutu ve model yapılandırması nedeniyle bir veya daha fazla 3D model optimum yazdırılamayabilir:

    \n" +"

    {model_names}

    \n" +"

    En iyi kalite ve güvenilirliği nasıl elde edeceğinizi öğrenin.

    \n" +"

    Yazdırma kalitesi kılavuzunu görüntüleyin

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "Buluttan yazdırma için hazır mısınız?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "Başlayın" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "Daha fazla bilgi edinin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "Ultimaker Connect çalıştırmayan bir yazıcıya bağlanmaya çalışıyorsunuz. Lütfen yazıcının donanım yazılımını son sürüme güncelleyin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "Yazıcınızı güncelleyin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura, henüz {0} grubunun ana yazıcısına yüklenmemiş malzeme profilleri tespit etti." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "Malzemeler yazıcıya gönderiliyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "{0} ile bağlantı kurmayı deniyorsunuz ancak cihaz bir grubun ana makinesi değil. Bu cihazı grup ana makinesi olarak yapılandırmak için web sayfasını ziyaret edebilirsiniz." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "Grup ana makinesi değil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "Grubu yapılandır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "Mevcut iş gönderilene kadar bekleyin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "Baskı hatası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "Veri yazıcıya yüklenemedi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "Ağ hatası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "Yazdırma İşi Gönderiliyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "Baskı işi yazıcıya yükleniyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "Baskı işi kuyruğu dolu. Yazıcı yeni iş kabul edemez." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "Kuyruk Dolu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "Yazdırma işi yazıcıya başarıyla gönderildi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "Veri Gönderildi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "Ağ üzerinden yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "Ağ üzerinden yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "Ağ üzerinden bağlandı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "Ağ ile Bağlan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "yarın" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "bugün" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB yazdırma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "USB ile yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "USB ile yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "USB ile bağlı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "USB’den yazdırma devam ediyor, Cura’yı kapatmanız bu yazdırma işlemini durduracak. Emin misiniz?" +msgid "Mesh Type" +msgstr "Ağ Tipi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "Devam eden bir baskı var. Cura, önceki baskı tamamlanmadan USB aracılığıyla başka bir baskı işi başlatamaz." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "Normal model" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "Baskı Sürüyor" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "Destek olarak yazdır" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "Çakışma ayarlarını değiştir" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "Çakışmaları destekleme" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D Dosyası" +msgid "Infill mesh only" +msgstr "Yalnızca dolgu kafes" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "Röntgen Görüntüsü" +msgid "Cutting mesh" +msgstr "Kesme Örgüsü" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "Bu yazdırmada bazı şeyler sorunlu olabilir. Ayarlama için ipuçlarını görmek için tıklayın." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 +msgctxt "@action:button" +msgid "Select settings" +msgstr "Ayarları seçin" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "Bu modeli Özelleştirmek için Ayarları seçin" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "Filtrele..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "Tümünü göster" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura Yedeklemeleri" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura Sürümü" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "Makineler" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "Malzemeler" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "Profiller" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "Eklentiler" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "Daha fazla seçenek görüntülemek ister misiniz?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "Şimdi Yedekle" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "Otomatik Yedekle" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "Cura’nın başlatıldığı günlerde otomatik olarak yedekleme yapar." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "Geri Yükle" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "Yedeklemeyi Sil" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "Bu yedeklemeyi silmek istediğinizden emin misiniz? Bu eylem geri alınamaz." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "Yedeklemeyi Geri Yükle" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "Yedeklemeniz geri yüklenmeden öne Cura’yı yeniden başlatmalısınız. Cura’yı şimdi kapatmak istiyor musunuz?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "Cura ayarlarınızı yedekleyin ve senkronize edin." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "Giriş yap" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "Yedeklemelerim" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "Şu anda yedeklemeniz yok. Oluşturmak için “Şimdi Yedekle” düğmesini kullanın." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "Önizleme aşamasında en fazla 5 yedekleme görüntüleyebilirsiniz. Önceki yedeklemeleri görmek için mevcut yedeklemelerden birini kaldırın." + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "Yazıcı Ayarları" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (Genişlik)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (Derinlik)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (Yükseklik)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "Yapı levhası şekli" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "Merkez nokta" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "Isıtılmış yatak" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "Isıtılmış yapı hacmi" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-code türü" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "Yazıcı Başlığı Ayarları" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y min" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X maks" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y maks" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "Portal Yüksekliği" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "Ekstrüder Sayısı" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "Ekstrüder ofsetlerini GCode'a uygula" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "G-code’u Başlat" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "G-code’u Sonlandır" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "Nozül Ayarları" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "Nozzle boyutu" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "Uyumlu malzeme çapı" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "Nozül X ofseti" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "Nozül Y ofseti" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "Soğutma Fanı Numarası" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "Ekstruder G-Code'u Başlatma" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "Ekstruder G-Code'u Sonlandırma" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "Yazıcı" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" +msgid "Update Firmware" +msgstr "Aygıt Yazılımını Güncelle" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +msgctxt "@label" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "Aygıt yazılımı doğrudan 3B yazıcı üzerinden çalışan bir yazılım parçasıdır. Bu aygıt yazılımı adım motorlarını kontrol eder, sıcaklığı düzenler ve sonunda yazıcının çalışmasını sağlar." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +msgctxt "@label" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "Yeni yazıcıları olan aygıt yazılımı gönderimi yararlı olmaktadır, ancak yeni sürümler daha fazla özellik ve geliştirmeye eğilimlidir." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 +msgctxt "@action:button" +msgid "Automatically upgrade Firmware" +msgstr "Aygıt Yazılımını otomatik olarak yükselt" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "Özel Aygıt Yazılımı Yükle" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "Yazıcı ile bağlantı kurulmadığı için aygıt yazılımı güncellenemiyor." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "Yazıcı bağlantısı aygıt yazılımını yükseltmeyi desteklemediği için aygıt yazılımı güncellenemiyor." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 +msgctxt "@title:window" +msgid "Select custom firmware" +msgstr "Özel aygıt yazılımı seçin" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 +msgctxt "@title:window" +msgid "Firmware Update" +msgstr "Aygıt Yazılımı Güncellemesi" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 +msgctxt "@label" +msgid "Updating firmware." +msgstr "Aygıt yazılımı güncelleniyor." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 +msgctxt "@label" +msgid "Firmware update completed." +msgstr "Aygıt yazılımı güncellemesi tamamlandı." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 +msgctxt "@label" +msgid "Firmware update failed due to an unknown error." +msgstr "Bilinmeyen bir hata nedeniyle aygıt yazılımı güncellemesi başarısız oldu." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "Bir iletişim hatası nedeniyle aygıt yazılımı güncellemesi başarısız oldu." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "Bir girdi/çıktı hatası nedeniyle aygıt yazılımı güncellemesi başarısız oldu." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "Eksik aygıt yazılımı nedeniyle aygıt yazılımı güncellemesi başarısız oldu." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "Proje Aç" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "Var olanları güncelleştir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "Yeni oluştur" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "Özet - Cura Projesi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "Yazıcı ayarları" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "Makinedeki çakışma nasıl çözülmelidir?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "Tür" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "Yazıcı Grubu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "Profil ayarları" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "Profildeki çakışma nasıl çözülmelidir?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "İsim" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "Profilde değil" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 geçersiz kılma" msgstr[1] "%1 geçersiz kılmalar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "Kaynağı" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 geçersiz kılma" msgstr[1] "%1, %2 geçersiz kılmalar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "Malzeme ayarları" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "Malzemedeki çakışma nasıl çözülmelidir?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "Görünürlük ayarı" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "Mod" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "Görünür ayarlar:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 / %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "Bir projenin yüklenmesi derleme levhasındaki tüm modelleri siler." -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "Aç" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "Daha fazla seçenek görüntülemek ister misiniz?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "Şimdi Yedekle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "Otomatik Yedekle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "Cura’nın başlatıldığı günlerde otomatik olarak yedekleme yapar." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "Geri Yükle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "Yedeklemeyi Sil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "Bu yedeklemeyi silmek istediğinizden emin misiniz? Bu eylem geri alınamaz." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "Yedeklemeyi Geri Yükle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "Yedeklemeniz geri yüklenmeden öne Cura’yı yeniden başlatmalısınız. Cura’yı şimdi kapatmak istiyor musunuz?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura Sürümü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "Makineler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "Malzemeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "Profiller" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "Eklentiler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura Yedeklemeleri" +msgid "Post Processing Plugin" +msgstr "Son İşleme Uzantısı" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "Yedeklemelerim" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "Şu anda yedeklemeniz yok. Oluşturmak için “Şimdi Yedekle” düğmesini kullanın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "Önizleme aşamasında en fazla 5 yedekleme görüntüleyebilirsiniz. Önceki yedeklemeleri görmek için mevcut yedeklemelerden birini kaldırın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "Cura ayarlarınızı yedekleyin ve senkronize edin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "Giriş yap" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "Aygıt Yazılımını Güncelle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "Aygıt yazılımı doğrudan 3B yazıcı üzerinden çalışan bir yazılım parçasıdır. Bu aygıt yazılımı adım motorlarını kontrol eder, sıcaklığı düzenler ve sonunda yazıcının çalışmasını sağlar." +msgid "Post Processing Scripts" +msgstr "Son İşleme Dosyaları" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "Dosya ekle" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "Yeni yazıcıları olan aygıt yazılımı gönderimi yararlı olmaktadır, ancak yeni sürümler daha fazla özellik ve geliştirmeye eğilimlidir." +msgid "Settings" +msgstr "Ayarlar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "Aygıt Yazılımını otomatik olarak yükselt" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "Etkin ileri işleme komut dosyalarını değiştirin." -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "Özel Aygıt Yazılımı Yükle" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "Aşağıdaki komut dosyası etkin:" +msgstr[1] "Aşağıdaki komut dosyaları etkin:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "Yazıcı ile bağlantı kurulmadığı için aygıt yazılımı güncellenemiyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "Yazıcı bağlantısı aygıt yazılımını yükseltmeyi desteklemediği için aygıt yazılımı güncellenemiyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "Özel aygıt yazılımı seçin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "Aygıt Yazılımı Güncellemesi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "Aygıt yazılımı güncelleniyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "Aygıt yazılımı güncellemesi tamamlandı." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "Bilinmeyen bir hata nedeniyle aygıt yazılımı güncellemesi başarısız oldu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "Bir iletişim hatası nedeniyle aygıt yazılımı güncellemesi başarısız oldu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "Bir girdi/çıktı hatası nedeniyle aygıt yazılımı güncellemesi başarısız oldu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "Eksik aygıt yazılımı nedeniyle aygıt yazılımı güncellemesi başarısız oldu." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "Resim Dönüştürülüyor..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "Her bir pikselin “Taban”dan en yüksek mesafesi." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "Yükseklik (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "Tabanın yapı levhasından milimetre cinsinden yüksekliği." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "Taban (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "Yapı levhasındaki milimetre cinsinden genişlik." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "Genişlik (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "Yapı levhasındaki milimetre cinsinden derinlik" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "Derinlik (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "Litofanlar için, daha fazla ışığın girmesini engellemek amacıyla koyu renk pikseller daha kalın olan bölgelere denk gelmelidir. Yükseklik haritaları için daha açık renk pikseller daha yüksek araziyi ifade eder; bu nedenle daha açık renk piksellerin oluşturulan 3D modelde daha kalın bölgelere denk gelmesi gerekir." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "Daha koyu olan daha yüksek" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "Daha açık olan daha yüksek" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "Litofanlar için yarı saydamlık sağlayacak basit bir logaritmik model bulunur. Yükseklik haritaları için piksel değerleri doğrusal yüksekliklere karşılık gelir." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "Doğrusal" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "Yarı saydamlık" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "1 milimetre kalınlığında bir baskıya nüfuz eden ışığın yüzdesi. Bu değerin düşürülmesi karanlık bölgelerdeki kontrastı arttırır ve görüntünün açık bölgelerindeki kontrastı azaltır." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1 mm Geçirgenlik (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "Resme uygulanacak düzeltme miktarı." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "Düzeltme" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "Tamam" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "Lütfen Ultimaker Original’e yapılan herhangi bir yükseltmeyi seçin" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "Isıtılmış Yapı Levhası (orijinal donanım veya şahsen yapılan)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "Yapı Levhası Dengeleme" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "Baskılarınızın düzgün çıktığından emin olmak için yapı levhanızı ayarlayabilirsiniz. “Sonraki Konuma Taşı” seçeneğine tıkladığınızda, nozül ayarlanabilen farklı konumlara taşınacak." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "Her konum için nozülün altına bir kağıt yerleştirin ve yazdırma yapı levhasının yüksekliğini ayarlayın. Kağıt nozülün ucundan yavaşça geçerse yazdırma yapı levhasının yüksekliği doğrudur." + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "Yapı Levhasını Dengelemeyi Başlat" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "Sonraki Konuma Taşı" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "Anonim veri toplama hakkında daha fazla bilgi" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura, yazdırma kalitesini ve kullanıcı deneyimini iyileştirmek için anonim veri toplar. Aşağıda, paylaşılan tüm verilerin bir örneği verilmiştir:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "Anonim veri göndermek istemiyorum" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "Anonim veri gönderilmesine izin ver" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "Mağaza" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "Pakette değişikliklerin geçerli olması için Cura’yı yeniden başlatmalısınız." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "%1 uygulamasından çık" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "Yükle" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "Yüklü" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "Premium" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "Web Mağazasına Git" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "Malzeme ara" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "Uyumluluk" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "Makine" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "Baskı tepsisi" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "Destek" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "Kalite" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "Teknik Veri Sayfası" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "Güvenlik Veri Sayfası" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "Yazdırma Talimatları" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "Web sitesi" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "Yükleme ve güncelleme yapabilmek için oturum açın" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "Malzeme makarası satın al" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "Güncelle" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "Güncelleniyor" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "Güncellendi" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "Geri" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "Yazıcı" +msgid "Plugins" +msgstr "Eklentiler" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "Nozül Ayarları" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "Malzemeler" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "Yüklü" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "Nozzle boyutu" +msgid "Will install upon restarting" +msgstr "Yeniden başlatıldığında kurulacak" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "Güncelleme yapabilmek için oturum açın" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "Eski Sürümü Yükle" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "Kaldır" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "Topluluk Katkıları" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "Uyumlu malzeme çapı" +msgid "Community Plugins" +msgstr "Topluluk Eklentileri" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "Nozül X ofseti" +msgid "Generic Materials" +msgstr "Genel Materyaller" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "Paketler alınıyor..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "Nozül Y ofseti" +msgid "Website" +msgstr "Web sitesi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "Soğutma Fanı Numarası" +msgid "Email" +msgstr "E-posta" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "Ekstruder G-Code'u Başlatma" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "Ultimaker Cura Enterprise için onaylı eklenti ve malzemeleri almak için lütfen oturum açın" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "Ekstruder G-Code'u Sonlandırma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "Yazıcı Ayarları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (Genişlik)" +msgid "Version" +msgstr "Sürüm" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (Derinlik)" +msgid "Last updated" +msgstr "Son güncelleme" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (Yükseklik)" +msgid "Brand" +msgstr "Marka" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "Yapı levhası şekli" +msgid "Downloads" +msgstr "İndirmeler" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "Yüklü eklentiler" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "Hiç eklenti yüklenmedi." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "Yüklü malzemeler" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "Hiç malzeme yüklenmedi." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "Paketli eklentiler" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "Paketli malzemeler" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "Cura Paket veri tabanına bağlanılamadı. Lütfen bağlantınızı kontrol edin." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "Merkez nokta" +msgid "You need to accept the license to install the package" +msgstr "Paketi yüklemek için lisansı kabul etmeniz gerekir" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "Hesabınızda değişiklik var" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "Kapat" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "Sonraki" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "Isıtılmış yatak" +msgid "The following packages will be added:" +msgstr "Aşağıdaki paketler eklenecek:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "Isıtılmış yapı hacmi" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "Aşağıdaki paketler uyumsuz Cura sürümü nedeniyle yüklenemiyor:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "Kaldırmayı onayla" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "Kullanımda olan materyalleri ve/veya profilleri kaldırıyorsunuz. Onay verirseniz aşağıdaki materyaller/profiller varsayılan değerlerine sıfırlanacaktır." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "Malzemeler" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "Profiller" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "Onayla" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "G-code türü" +msgid "Color scheme" +msgstr "Renk şeması" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "Yazıcı Başlığı Ayarları" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "Malzeme Rengi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "Çizgi Tipi" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "Hız" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "Katman kalınlığı" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "Hat Genişliği" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "Akış" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X min" +msgid "Compatibility Mode" +msgstr "Uyumluluk Modu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y min" +msgid "Travels" +msgstr "Geçişler" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X maks" +msgid "Helpers" +msgstr "Yardımcılar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y maks" +msgid "Shell" +msgstr "Kabuk" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "Portal Yüksekliği" +msgid "Infill" +msgstr "Dolgu" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "Ekstrüder Sayısı" +msgid "Starts" +msgstr "Başlangıçlar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "Ekstrüder ofsetlerini GCode'a uygula" +msgid "Only Show Top Layers" +msgstr "Yalnızca Üst Katmanları Göster" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "G-code’u Başlat" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "En Üstteki 5 Ayrıntılı Katmanı Göster" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "G-code’u Sonlandır" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "Üst / Alt" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "İç Duvar" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "min" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "maks" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "Yazıcıyı yönet" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "Cam" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "Kuyruğu uzaktan yönetmek için lütfen yazıcının donanım yazılımını güncelleyin." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "Bulut yazıcıları için web kamerası akışları Ultimaker Cura'dan görüntülenemez. Ultimaker Digital Factory'i ziyaret etmek ve bu web kamerasını görüntülemek için \"Yazıcıyı Yönet\"i tıklayın." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "Yükleniyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "Mevcut değil" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "Ulaşılamıyor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "Boşta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "Hazırlanıyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "Yazdırma" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "Başlıksız" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "Anonim" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "Yapılandırma değişiklikleri gerekiyor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "Detaylar" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "Kullanım dışı yazıcı" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "İlk kullanılabilen" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "Kuyrukta" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "Tarayıcıda yönet" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "Kuyrukta baskı işi yok. Bir iş eklemek için dilimleme yapın ve gönderin." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "Yazdırma görevleri" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "Toplam yazdırma süresi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "Bekleniyor" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "Ağ üzerinden yazdır" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "Yazdır" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "Yazıcı seçimi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "Yapılandırma Değişiklikleri" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "Geçersiz kıl" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "Atanan yazıcı %1, şu yapılandırma değişikliğini gerektiriyor:" +msgstr[1] "Atanan yazıcı %1, şu yapılandırma değişikliklerini gerektiriyor:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "Yazıcı %1 atandı, fakat iş bilinmeyen bir malzeme yapılandırması içeriyor." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "%2 olan %1 malzemesini %3 yapın." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "%3 malzemesini %1 malzemesi olarak yükleyin (Bu işlem geçersiz kılınamaz)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "%2 olan %1 print core'u %3 yapın." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "Baskı tablasını %1 olarak değiştirin (Bu işlem geçersiz kılınamaz)." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "Geçersiz kıl seçeneği mevcut yazıcı yapılandırmasındaki ayarları kullanacaktır. Yazdırma işlemi başarısız olabilir." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "Alüminyum" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "Tamamlandı" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "İptal ediliyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "Durduruldu" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "Duraklatılıyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "Duraklatıldı" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "Devam ediliyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "Eylem gerekli" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "%1 bitiş tarihi: %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "Ağ Yazıcısına Bağlan" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "Yazıcınıza ağ üzerinden doğrudan baskı göndermek için lütfen yazıcınızın ağ kablosuyla ağa bağlı olduğundan veya yazıcınızı WiFi ağınıza bağladığınızdan emin olun. Yazıcınız ile Cura'ya bağlanamıyorsanız g-code dosyalarını yazıcınıza aktarmak için USB sürücüsü kullanabilirsiniz." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "Aşağıdaki listeden yazıcınızı seçin:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "Düzenle" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "Kaldır" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "Yenile" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "Yazıcınız listede yoksa ağ yazdırma sorun giderme kılavuzunu okuyun" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "Tür" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "Üretici yazılımı sürümü" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "Adres" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "Bu yazıcı, bir yazıcı grubunu barındırmak için ayarlı değildir." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "Bu yazıcı, %1 yazıcı grubunun ana makinesidir." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "Bu adresteki yazıcı henüz yanıt vermedi." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "Bağlan" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "Geçersiz IP adresi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "Lütfen geçerli bir IP adresi girin." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "Yazıcı Adresi" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "Ağdaki yazıcınızın IP adresini girin." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "En üste taşı" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "Sil" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "Devam et" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "Duraklatılıyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "Devam ediliyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "Duraklat" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "İptal ediliyor..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "Durdur" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "%1 öğesini kuyruğun en üstüne taşımak ister misiniz?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "Yazdırma işini en üste taşı" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "%1 öğesini silmek istediğinizden emin misiniz?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "Yazdırma işini sil" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "%1 öğesini durdurmak istediğinizden emin misiniz?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "Yazdırmayı durdur" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2322,1489 +3327,435 @@ msgstr "" "- Yazıcının ağa bağlı olup olmadığını kontrol edin.\n" "- Buluta bağlı yazıcıları keşfetmek için giriş yapıp yapmadığınızı kontrol edin." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "Lütfen yazıcınızı ağa bağlayın." -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "Kullanım kılavuzlarını çevrimiçi olarak görüntüle" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "Baskınızı Cura üzerinden izlemek için lütfen yazıcıyı bağlayın." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "Ağ Tipi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "Normal model" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "Destek olarak yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "Çakışma ayarlarını değiştir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "Çakışmaları destekleme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "Yalnızca dolgu kafes" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "Kesme Örgüsü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "Ayarları seçin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "Bu modeli Özelleştirmek için Ayarları seçin" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "Filtrele..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "Tümünü göster" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "Son İşleme Uzantısı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "Son İşleme Dosyaları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "Dosya ekle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "Ayarlar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "Etkin ileri işleme komut dosyalarını değiştirin." +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "Bu yazdırmada bazı şeyler sorunlu olabilir. Ayarlama için ipuçlarını görmek için tıklayın." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "Aşağıdaki komut dosyası etkin:" -msgstr[1] "Aşağıdaki komut dosyaları etkin:" +msgid "3D View" +msgstr "3 Boyutlu Görünüm" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "Renk şeması" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "Malzeme Rengi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "Çizgi Tipi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "Hız" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "Katman kalınlığı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "Hat Genişliği" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "Akış" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "Uyumluluk Modu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "Geçişler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "Yardımcılar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "Kabuk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "Dolgu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "Başlangıçlar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "Yalnızca Üst Katmanları Göster" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "En Üstteki 5 Ayrıntılı Katmanı Göster" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "Üst / Alt" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "İç Duvar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "min" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "maks" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "Anonim veri toplama hakkında daha fazla bilgi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura, yazdırma kalitesini ve kullanıcı deneyimini iyileştirmek için anonim veri toplar. Aşağıda, paylaşılan tüm verilerin bir örneği verilmiştir:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "Anonim veri göndermek istemiyorum" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "Anonim veri gönderilmesine izin ver" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "Geri" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "Uyumluluk" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "Makine" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "Baskı tepsisi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "Destek" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "Kalite" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "Teknik Veri Sayfası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "Güvenlik Veri Sayfası" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "Yazdırma Talimatları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "Web sitesi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "Yüklü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "Yükleme ve güncelleme yapabilmek için oturum açın" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "Malzeme makarası satın al" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "Güncelle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "Güncelleniyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "Güncellendi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "Premium" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "Web Mağazasına Git" +msgid "Front View" +msgstr "Önden Görünüm" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "Yukarıdan Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "Sol görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "Sağ görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "Malzeme ara" +msgid "Object list" +msgstr "Nesne listesi" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "Pakette değişikliklerin geçerli olması için Cura’yı yeniden başlatmalısınız." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "%1 uygulamasından çık" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "Eklentiler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "Malzemeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "Yüklü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "Yeniden başlatıldığında kurulacak" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "Güncelleme yapabilmek için oturum açın" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "Eski Sürümü Yükle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "Kaldır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "Yükle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "Hesabınızda değişiklik var" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "Kapat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "Sonraki" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "Aşağıdaki paketler eklenecek:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "Aşağıdaki paketler uyumsuz Cura sürümü nedeniyle yüklenemiyor:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "Kaldırmayı onayla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "Kullanımda olan materyalleri ve/veya profilleri kaldırıyorsunuz. Onay verirseniz aşağıdaki materyaller/profiller varsayılan değerlerine sıfırlanacaktır." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "Malzemeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "Profiller" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "Onayla" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "Paketi yüklemek için lisansı kabul etmeniz gerekir" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "Web sitesi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "E-posta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "Sürüm" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "Son güncelleme" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "Marka" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "İndirmeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "Topluluk Katkıları" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "Topluluk Eklentileri" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "Genel Materyaller" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "Cura Paket veri tabanına bağlanılamadı. Lütfen bağlantınızı kontrol edin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "Yüklü eklentiler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "Hiç eklenti yüklenmedi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "Yüklü malzemeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "Hiç malzeme yüklenmedi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "Paketli eklentiler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "Paketli malzemeler" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "Paketler alınıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "Ultimaker Cura Enterprise için onaylı eklenti ve malzemeleri almak için lütfen oturum açın" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "Mağaza" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "Yapı Levhası Dengeleme" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "&Dosya" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "Baskılarınızın düzgün çıktığından emin olmak için yapı levhanızı ayarlayabilirsiniz. “Sonraki Konuma Taşı” seçeneğine tıkladığınızda, nozül ayarlanabilen farklı konumlara taşınacak." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "Düz&enle" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "Her konum için nozülün altına bir kağıt yerleştirin ve yazdırma yapı levhasının yüksekliğini ayarlayın. Kağıt nozülün ucundan yavaşça geçerse yazdırma yapı levhasının yüksekliği doğrudur." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "&Görünüm" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "Yapı Levhasını Dengelemeyi Başlat" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "&Ayarlar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "Sonraki Konuma Taşı" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "Uzantılar" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "Lütfen Ultimaker Original’e yapılan herhangi bir yükseltmeyi seçin" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "Tercihler" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "Isıtılmış Yapı Levhası (orijinal donanım veya şahsen yapılan)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "&Yardım" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "Ağ Yazıcısına Bağlan" +msgid "New project" +msgstr "Yeni proje" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "Yazıcınıza ağ üzerinden doğrudan baskı göndermek için lütfen yazıcınızın ağ kablosuyla ağa bağlı olduğundan veya yazıcınızı WiFi ağınıza bağladığınızdan emin olun. Yazıcınız ile Cura'ya bağlanamıyorsanız g-code dosyalarını yazıcınıza aktarmak için USB sürücüsü kullanabilirsiniz." +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "Yeni bir proje başlatmak istediğinizden emin misiniz? Bu işlem yapı levhasını ve kaydedilmemiş tüm ayarları silecektir." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "Aşağıdaki listeden yazıcınızı seçin:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "Düzenle" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "Kaldır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "Yenile" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "Yazıcınız listede yoksa ağ yazdırma sorun giderme kılavuzunu okuyun" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "Tür" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "Üretici yazılımı sürümü" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "Adres" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "Bu yazıcı, bir yazıcı grubunu barındırmak için ayarlı değildir." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "Bu yazıcı, %1 yazıcı grubunun ana makinesidir." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "Bu adresteki yazıcı henüz yanıt vermedi." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "Bağlan" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "Geçersiz IP adresi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "Lütfen geçerli bir IP adresi girin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "Yazıcı Adresi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "Ağdaki yazıcınızın IP adresini girin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "Yapılandırma Değişiklikleri" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "Geçersiz kıl" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "Atanan yazıcı %1, şu yapılandırma değişikliğini gerektiriyor:" -msgstr[1] "Atanan yazıcı %1, şu yapılandırma değişikliklerini gerektiriyor:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "Yazıcı %1 atandı, fakat iş bilinmeyen bir malzeme yapılandırması içeriyor." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "%2 olan %1 malzemesini %3 yapın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "%3 malzemesini %1 malzemesi olarak yükleyin (Bu işlem geçersiz kılınamaz)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "%2 olan %1 print core'u %3 yapın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "Baskı tablasını %1 olarak değiştirin (Bu işlem geçersiz kılınamaz)." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "Geçersiz kıl seçeneği mevcut yazıcı yapılandırmasındaki ayarları kullanacaktır. Yazdırma işlemi başarısız olabilir." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "Cam" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "Alüminyum" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "En üste taşı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "Sil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "Devam et" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "Duraklatılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "Devam ediliyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "Duraklat" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "İptal ediliyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "Durdur" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "%1 öğesini kuyruğun en üstüne taşımak ister misiniz?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "Yazdırma işini en üste taşı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "%1 öğesini silmek istediğinizden emin misiniz?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "Yazdırma işini sil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "%1 öğesini durdurmak istediğinizden emin misiniz?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "Yazdırmayı durdur" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "Yazıcıyı yönet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "Kuyruğu uzaktan yönetmek için lütfen yazıcının donanım yazılımını güncelleyin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "Bulut yazıcıları için web kamerası akışları Ultimaker Cura'dan görüntülenemez. Ultimaker Digital Factory'i ziyaret etmek ve bu web kamerasını görüntülemek" -" için \"Yazıcıyı Yönet\"i tıklayın." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "Yükleniyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "Mevcut değil" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "Ulaşılamıyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "Boşta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "Hazırlanıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "Yazdırma" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "Başlıksız" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "Anonim" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "Yapılandırma değişiklikleri gerekiyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "Detaylar" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "Kullanım dışı yazıcı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "İlk kullanılabilen" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "Durduruldu" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "Tamamlandı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "İptal ediliyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "Duraklatılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "Duraklatıldı" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "Devam ediliyor..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "Eylem gerekli" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "%1 bitiş tarihi: %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "Kuyrukta" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "Tarayıcıda yönet" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "Kuyrukta baskı işi yok. Bir iş eklemek için dilimleme yapın ve gönderin." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "Yazdırma görevleri" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "Toplam yazdırma süresi" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "Bekleniyor" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "Ağ üzerinden yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "Yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "Yazıcı seçimi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "Giriş yap" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "Ultimaker platformuna giriş yapın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- Marketplace'den malzeme profilleri ve eklentiler ekleyin\n" -"- Malzeme profillerinizi ve eklentilerinizi yedekleyin ve senkronize edin\n" -"- Ultimaker topluluğunda fikirlerinizi paylaşın ve 48.000'den fazla kullanıcıdan yardım alın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "Ücretsiz Ultimaker hesabı oluşturun" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "Kontrol ediliyor..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "Hesap senkronize edildi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "Bir sorun oluştu..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "Bekleyen güncellemeleri yükle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "Hesap güncellemelerini kontrol et" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "Son güncelleme: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker hesabı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "Çıkış yap" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "Süre tahmini yok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "Maliyet tahmini yok" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "Önizleme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "Süre tahmini" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "Malzeme tahmini" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1 m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1 g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "Dilimleniyor..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "Dilimlenemedi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "İşleme" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "Dilimle" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "Dilimleme sürecini başlat" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "İptal" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "Çevrimiçi Sorun Giderme Kılavuzunu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "Tam Ekrana Geç" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "Tam Ekrandan Çık" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "&Geri Al" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "&Yinele" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "&Çıkış" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3 Boyutlu Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "Önden Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "Yukarıdan Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "Alttan Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "Sol Taraftan Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "Sağ Taraftan Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "Cura’yı yapılandır..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "&Yazıcı Ekle..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "Yazıcıları Yönet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "Malzemeleri Yönet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "Mağazadan daha fazla malzeme ekle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "&Profili geçerli ayarlar/geçersiz kılmalar ile güncelle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "&Geçerli değişiklikleri iptal et" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "G&eçerli ayarlardan/geçersiz kılmalardan profil oluştur..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "Profilleri Yönet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "Çevrimiçi Belgeleri Göster" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "Hata Bildir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "Yenilikler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "Hakkında..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "Seçileni Sil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "Seçileni Ortala" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "Seçileni Çoğalt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "Modeli Sil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "Modeli Platformda Ortala" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "Modelleri Gruplandır" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "Model Grubunu Çöz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "&Modelleri Birleştir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "&Modeli Çoğalt..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "Tüm modelleri Seç" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "Yapı Levhasını Temizle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "Tüm Modelleri Yeniden Yükle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "Tüm Modelleri Tüm Yapı Levhalarına Yerleştir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "Tüm Modelleri Düzenle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "Seçimi Düzenle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "Tüm Model Konumlarını Sıfırla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "Tüm Model ve Dönüşümleri Sıfırla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "&Dosya Aç..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "&Yeni Proje..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "Yapılandırma Klasörünü Göster" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "Görünürlük ayarını yapılandır..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "&Mağazayı Göster" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "Yazıcılarım" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "Ultimaker Digital Factory'de yazıcıları izleyin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "Digital Library'de baskı projeleri oluşturun." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "Yazdırma görevleri" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "Baskı işlerini takip edin ve baskı geçmişinizden yeniden baskı işlemi yapın." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "Ultimaker Cura'yı eklentilerle ve malzeme profilleriyle genişletin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "Ultimaker e-öğrenme ile 3D baskı uzmanı olun." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ultimaker desteği" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "Ultimaker Cura ile işe nasıl başlayacağınızı öğrenin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "Soru gönder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "Ultimaker Topluluğundan yardım alın." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "Hata bildirin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "Geliştiricileri sorunlarla ilgili bilgilendirin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "Ultimaker web sitesini ziyaret edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "Bu paket yeniden başlatmanın ardından kurulacak." +msgid "Time estimation" +msgstr "Süre tahmini" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "Genel" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "Malzeme tahmini" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "Ayarlar" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1 m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "Yazıcılar" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1 g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "Profiller" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "Süre tahmini yok" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "%1 kapatılıyor" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "Maliyet tahmini yok" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "%1 uygulamasından çıkmak istediğinizden emin misiniz?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "Önizleme" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "Dosya aç" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "Bir yazıcı ekleyin" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "Paketi Kur" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "Bir ağ yazıcısı ekleyin" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "Dosya Aç" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "Ağ dışı bir yazıcı ekleyin" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "Seçtiğiniz dosyalar arasında bir veya daha fazla G-code dosyası bulduk. Tek seferde sadece bir G-code dosyası açabilirsiniz. Bir G-code dosyası açmak istiyorsanız, sadece birini seçiniz." +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "Bulut yazıcısı ekle" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "Yazıcı Ekle" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "Bulut yanıtı bekleniyor" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "Hesabınızda hiç yazıcı bulunamıyor mu?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "Hesabınızdaki şu yazıcılar Cura'ya eklendi:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "Yazıcıyı manuel olarak ekle" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "IP adresine göre bir yazıcı ekleyin" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "Yazıcınızın IP adresini girin." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "Ekle" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "Cihaza bağlanılamadı." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "Ultimaker yazıcınıza bağlanamıyor musunuz?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "Bu adresteki yazıcı henüz yanıt vermedi." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "Bu yazıcı bilinmeyen bir yazıcı olduğu veya bir grubun ana makinesi olmadığı için eklenemiyor." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "Geri" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "Bağlan" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "Kullanıcı Anlaşması" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "Reddet ve kapat" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "Ultimaker Cura'ya hoş geldiniz" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"Ultimaker Cura'yı kurmak\n" +" için lütfen aşağıdaki adımları izleyin. Bu sadece birkaç saniye sürecektir." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "Başlayın" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "Ultimaker platformuna giriş yapın" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "Marketplace'den malzeme ayarlarını ve eklentileri ekleyin" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "Malzeme ayarlarınızı ve eklentilerinizi yedekleyin ve senkronize edin" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "Ultimaker Topluluğunda fikirlerinizi paylaşın ve 48.000'den fazla kullanıcıdan yardım alın" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "Atla" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "Ücretsiz Ultimaker Hesabı oluşturun" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "Üretici" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "Profil sahibi" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "Yazıcı adı" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "Lütfen yazıcınızı adlandırın" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "Ağınızda yazıcı bulunamadı." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "Yenile" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "IP'ye göre bir yazıcı ekleyin" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "Bulut yazıcısı ekle" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "Sorun giderme" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "Ultimaker Cura'yı geliştirmemiz yardım edin" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura, yazdırma kalitesini ve kullanıcı deneyimini iyileştirmek için anonim veri toplar. Bu veriler aşağıdakileri içerir:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "Makine türleri" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "Malzeme kullanımı" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "Dilim sayısı" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "Yazdırma ayarları" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Ultimaker Cura tarafından toplanan veriler herhangi bir kişisel bilgi içermeyecektir." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "Daha fazla bilgi" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "Yenilikler" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "Boş" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "Sürüm notları" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "%1 hakkında" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "sürüm: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "Kaynaşık filaman 3B yazdırma için kalıcı çözüm." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3813,183 +3764,204 @@ msgstr "" "Cura, topluluk iş birliği ile Ultimaker B.V. tarafından geliştirilmiştir.\n" "Cura aşağıdaki açık kaynak projelerini gururla kullanmaktadır:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "Grafik kullanıcı arayüzü" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "Uygulama çerçevesi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-code oluşturucu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "İşlemler arası iletişim kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "Programlama dili" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI çerçevesi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI çerçeve bağlantıları" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C/C++ Bağlantı kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "Veri değişim biçimi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "Bilimsel bilgi işlem için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "Daha hızlı matematik için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "STL dosyalarının işlenmesi için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "Düzlemsel nesnelerin işlenmesi için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "Üçgen birleşimlerin işlenmesi için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "3MF dosyalarının işlenmesi için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "Dosya meta verileri ve akış için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "Seri iletişim kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf keşif kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "Poligon kırpma kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Python için statik tür denetleyicisi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "SSL güvenilirliğini doğrulamak için kök sertifikalar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Python Hata takip kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Prusa Research tarafından geliştirilen Poligon paketleme kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "libnest2d için Python bağlamaları" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "Sistem anahtarlık erişimi için destek kitaplığı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Microsoft Windows için Python uzantıları" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "Yazı tipi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG simgeleri" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux çapraz-dağıtım uygulama dağıtımı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "Proje dosyası aç" +msgid "Open file(s)" +msgstr "Dosya aç" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "Bu bir Cura proje dosyasıdır. Bir proje olarak açmak mı yoksa içindeki modelleri içe aktarmak mı istiyorsunuz?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "Seçtiğiniz dosyalar arasında bir veya daha fazla proje dosyası bulduk. Tek seferde sadece bir proje dosyası açabilirsiniz. Sadece bu dosyalarda bulunan modelleri içe aktarmanızı öneririz. Devam etmek istiyor musunuz?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "Seçimimi hatırla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "Proje olarak aç" +msgid "Import all as models" +msgstr "Tümünü model olarak içe aktar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "Projeyi Kaydet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "Ekstruder %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & malzeme" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "Malzeme" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "Kaydederken proje özetini bir daha gösterme" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "Modelleri içe aktar" +msgid "Save" +msgstr "Kaydet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "Değişiklikleri iptal et veya kaydet" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -4000,1251 +3972,144 @@ msgstr "" "Profiller arasında geçiş yapıldıktan sonra bu değişiklikleri tutmak ister misiniz?\n" "Alternatif olarak, '%1' üzerinden varsayılanları yüklemek için değişiklikleri silebilirsiniz." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "Profil ayarları" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "Mevcut değişiklikler" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "Her zaman sor" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "İptal et ve bir daha sorma" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "Kaydet ve bir daha sorma" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "Değişiklikleri sil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "Değişiklikleri tut" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "Proje dosyası aç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "Seçtiğiniz dosyalar arasında bir veya daha fazla proje dosyası bulduk. Tek seferde sadece bir proje dosyası açabilirsiniz. Sadece bu dosyalarda bulunan modelleri içe aktarmanızı öneririz. Devam etmek istiyor musunuz?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "Bu bir Cura proje dosyasıdır. Bir proje olarak açmak mı yoksa içindeki modelleri içe aktarmak mı istiyorsunuz?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "Seçimimi hatırla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "Tümünü model olarak içe aktar" +msgid "Open as project" +msgstr "Proje olarak aç" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "Projeyi Kaydet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "Ekstruder %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & malzeme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "Malzeme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "Kaydederken proje özetini bir daha gösterme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "Kaydet" +msgid "Import models" +msgstr "Modelleri içe aktar" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "Seçili Modeli %1 ile Yazdır" -msgstr[1] "Seçili Modelleri %1 ile Yazdır" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "Başlıksız" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "&Dosya" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "Düz&enle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "&Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "&Ayarlar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "Uzantılar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "Tercihler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "&Yardım" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "Yeni proje" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "Yeni bir proje başlatmak istediğinizden emin misiniz? Bu işlem yapı levhasını ve kaydedilmemiş tüm ayarları silecektir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "Mağaza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "Yapılandırmalar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "%1 tanınmadığından bu yapılandırma kullanılamaz. Doğru malzeme profilini indirmek için lütfen %2 bölümünü ziyaret edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "Mağaza" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "Kullanılabilir yapılandırmalar yazıcıdan yükleniyor..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "Yazıcı bağlı olmadığından yapılandırmalar kullanılamıyor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "Yapılandırma seç" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "Yapılandırmalar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "Özel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "Yazıcı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "Etkin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "Malzeme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "Bu malzeme kombinasyonuyla daha iyi yapıştırma için yapıştırıcı kullanın." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "Seçili Modeli Şununla Yazdır:" -msgstr[1] "Seçili Modelleri Şununla Yazdır:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "Seçili Modeli Çoğalt" -msgstr[1] "Seçili Modelleri Çoğalt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "Kopya Sayısı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "&Projeyi Kaydet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "&Dışa Aktar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "Seçimi Dışa Aktar..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "Malzeme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "Favoriler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "Genel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "Dosya Aç..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "Ağ etkin yazıcılar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "Yerel yazıcılar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "En Son Öğeyi Aç" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "Projeyi Kaydet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "&Yazıcı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "&Malzeme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "Etkin Ekstruder olarak ayarla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "Ekstruderi Etkinleştir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "Ekstruderi Devre Dışı Bırak" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "Görünür ayarlar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "Tüm Kategorileri Daralt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "Ayar Görünürlüğünü Yönet..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "&Kamera konumu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "Kamera görüşü" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "Perspektif" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "Ortografik" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "&Yapı levhası" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "Yazıcıya bağlı değil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "Yazıcı komutları kabul etmiyor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "Bakımda. Lütfen yazıcıyı kontrol edin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "Yazıcı bağlantısı koptu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "Yazdırılıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "Duraklatıldı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "Hazırlanıyor..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "Lütfen yazıcıyı çıkarın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "Yazdırmayı Durdur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "Yazdırmayı iptal etmek istediğinizden emin misiniz?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "Destek olarak basıldı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "Bu model ile çakışan diğer modeller değiştirilir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "Bu model ile çakışan dolgu değiştirilir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "Bu model ile çakışmalar desteklenmez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "%1 ayarı geçersiz kılar." -msgstr[1] "%1 ayarı geçersiz kılar." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "Nesne listesi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "Arayüz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "Para Birimi:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "Tema:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "Bu değişikliklerinin geçerli olması için uygulamayı yeniden başlatmanız gerekecektir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "Ayarlar değiştirilirken otomatik olarak dilimle." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "Otomatik olarak dilimle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "Görünüm şekli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "Modelin desteklenmeyen alanlarını kırmızı ile gösterin. Destek alınmadan bu alanlar düzgün bir şekilde yazdırılmayacaktır." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "Dışarıda kalan alanı göster" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "Modelin eksik veya ikincil yüzeylerini uyarı işaretleri kullanarak vurgulayın. Amaçlanan geometrinin eksik parçaları genellikle takım yolları olacaktır." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "Model hatalarını görüntüle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "Bir model seçildiğinde bu model görüntünün ortasında kalacak şekilde kamera hareket eder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "Öğeyi seçince kamerayı ortalayın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "Cura’nın varsayılan yakınlaştırma davranışı tersine çevrilsin mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "Kamera yakınlaştırma yönünü ters çevir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "Yakınlaştırma farenin hareket yönüne uygun olsun mu?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "Fareye doğru yakınlaştırma yapılması ortografik perspektifte desteklenmez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "Farenin hareket yönüne göre yakınlaştır" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "Platformun üzerindeki öğeler kesişmemeleri için hareket ettirilmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "Modellerin birbirinden ayrı olduğundan emin olduğundan emin olun" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "Platformun üzerindeki modeller yapı levhasına değmeleri için indirilmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "Modelleri otomatik olarak yapı tahtasına indirin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "G-code okuyucuda uyarı mesajı göster." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-code okuyucuda uyarı mesajı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "Katman, uyumluluk moduna zorlansın mı?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "Katman görünümünü uyumluluk moduna zorla (yeniden başlatma gerekir)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Cura kapatıldığı yerden mi başlatılsın?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "Başlangıçtaki pencere konumuna dönülsün" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "Ne tür bir kamera oluşturma işlemi kullanılmalıdır?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "Kamera oluşturma:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "Perspektif" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "Ortografik" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "Dosyaların açılması ve kaydedilmesi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "Masaüstünden veya harici uygulamalardan açılan dosyalar aynı Cura örneğinde mi açılacak?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "Tek bir Cura örneği kullan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "Cura'nın tek örneğinde yeni bir model yüklenmeden önce yapı plakası temizlensin mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "Modeli tek örneğe yüklemeden önce yapı plakasını temizleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "Modeller çok büyükse yapı hacmine göre ölçeklendirilmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "Büyük modelleri ölçeklendirin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "Bir modelin birimi milimetre değil de metre ise oldukça küçük görünebilir. Bu modeller ölçeklendirilmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "Çok küçük modelleri ölçeklendirin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "Yüklendikten sonra modeller seçilsin mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "Yüklendiğinde modelleri seç" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "Yazıcı adına bağlı bir ön ek otomatik olarak yazdırma işinin adına eklenmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "Makine ön ekini iş adına ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "Bir proje dosyasını kaydederken özet gösterilmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "Projeyi kaydederken özet iletişim kutusunu göster" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "Bir proje dosyası açıldığında varsayılan davranış" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "Bir proje dosyası açıldığında varsayılan davranış: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "Her zaman sor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "Her zaman proje olarak aç" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "Her zaman modelleri içe aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "Bir profil üzerinde değişiklik yapıp farklı bir profile geçtiğinizde, değişikliklerin kaydedilmesini isteyip istemediğinizi soran bir iletişim kutusu açılır. Alternatif olarak bu işleve yönelik varsayılan bir davranış seçebilir ve bu iletişim kutusunun bir daha görüntülenmemesini tercih edebilirsiniz." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "Profiller" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "Farklı bir profile geçerken değişen ayar değerleriyle ilgili varsayılan davranış: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "Değiştirilen ayarları her zaman at" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "Değiştirilen ayarları her zaman yeni profile taşı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "Gizlilik" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "Yazdırmanızdaki anonim veriler Ultimaker’a gönderilmeli mi? Unutmayın; hiçbir model, IP adresi veya diğer kişiye özgü bilgiler gönderilmez veya saklanmaz." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(Anonim) yazdırma bilgisi gönder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "Daha fazla bilgi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "Güncellemeler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "Cura, program başladığında güncellemeleri kontrol etmeli mi?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "Başlangıçta güncellemeleri kontrol edin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "Güncellemeleri kontrol ederken yalnızca istikrarlı sürümleri kontrol edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "Yalnızca istikrarlı sürümler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "Güncellemeleri kontrol ederken hem istikrarlı hem de beta sürümleri kontrol edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "İstikrarlı ve Beta sürümler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "Cura her başlatıldığında yeni eklentiler için otomatik kontrol yapılsın mı? Bu seçeneği devre dışı bırakmanız kesinlikle önerilmez!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "Eklenti güncellemeleri için bildirim alın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "Etkinleştir" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "Yeniden adlandır" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "Oluştur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "Çoğalt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "İçe Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "Dışa Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "Yazıcılarla Senkronize Et" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "Yazıcı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "Kaldırmayı Onayla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "%1’i kaldırmak istediğinizden emin misiniz? Bu eylem geri alınamaz!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "Malzemeyi İçe Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "Malzeme %1 dosyasına içe aktarılamadı: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "Malzeme %1 dosyasına başarıyla içe aktarıldı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "Malzemeyi Dışa Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "Malzemenin %1 dosyasına dışa aktarımı başarısız oldu: %2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "Malzeme %1 dosyasına başarıyla dışa aktarıldı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "Tüm Malzemeleri Dışa Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "Bilgi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "Çap Değişikliğini Onayla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "Yeni filaman çapı %1 mm olarak ayarlandı ve bu değer, geçerli ekstrüder ile uyumlu değil. Devam etmek istiyor musunuz?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "Görünen Ad" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "Malzeme Türü" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "Renk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "Özellikler" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "Yoğunluk" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "Çap" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "Filaman masrafı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "Filaman ağırlığı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "Filaman uzunluğu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "Metre başına maliyet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "Bu malzeme %1’e bağlıdır ve özelliklerinden bazılarını paylaşır." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "Malzemeyi Ayır" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "Tanım" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "Yapışma Bilgileri" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "Yazdırma ayarları" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "Oluştur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "Çoğalt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "Profil Oluştur" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "Bu profil için lütfen bir ad girin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "Profili Çoğalt" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "Profili Yeniden Adlandır" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "Profili İçe Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "Profili Dışa Aktar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "Yazıcı: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "Profili geçerli ayarlar/geçersiz kılmalar ile güncelle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "Geçerli değişiklikleri iptal et" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "Bu profil yazıcının belirlediği varsayılan ayarları kullanır; dolayısıyla aşağıdaki listede bulunan ayarları/geçersiz kılmaları içermez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "Geçerli ayarlarınız seçilen profille uyumlu." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "Küresel Ayarlar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "Hesaplanmış" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "Ayar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "Profil" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "Geçerli" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "Birim" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "Görünürlüğü Ayarlama" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "Tümünü denetle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "Ekstrüder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "Sıcak ucun hedef sıcaklığı. Sıcak uç, bu sıcaklığa doğru ısıtılır veya soğutulur. Bu ayar 0 olarak belirlenirse sıcak uç ısıtma kapatılır." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "Bu sıcak ucun geçerli sıcaklığı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "Sıcak ucun ön ısıtma sıcaklığı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "İptal Et" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "Ön ısıtma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "Yazdırma öncesinde sıcak ucu ısıt. Isıtma sırasında yazdırma işinizi ayarlamaya devam edebilirsiniz. Böylece yazdırmaya hazır olduğunuzda sıcak ucun ısınmasını beklemeniz gerekmez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "Bu ekstruderdeki malzemenin rengi." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "Bu ekstruderdeki malzeme." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "Bu ekstrudere takılan nozül." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "Yapı levhası" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "Isıtılmış yatağın hedef sıcaklığı. Yatak, bu sıcaklığa doğru ısıtılır veya soğutulur. Bu ayar 0 olarak belirlenirse yatak ısıtma kapatılır." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "Isıtılmış yatağın geçerli sıcaklığı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "Yatağın ön ısıtma sıcaklığı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "Yazdırma öncesinde yatağı ısıt. Isıtma sırasında yazdırma işinizi ayarlamaya devam edebilirsiniz. Böylece yazdırmaya hazır olduğunuzda yatağın ısınmasını beklemeniz gerekmez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "Yazıcı kontrolü" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "Jog Konumu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "Jog Mesafesi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "G-code Gönder" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "Bağlı yazıcıya özel bir G-code komutu gönderin. Komutu göndermek için 'enter' tuşuna basın." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "Yazıcı bağlı değil." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "Bulut yazıcısı çevrimdışı. Yazıcının açık ve internete bağlı olup olmadığını kontrol edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "Yazıcı hesabınızla bağlanmamış. Bağlantı kurmak için lütfen Ultimaker Digital Factory bölümünü ziyaret edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "Bulut bağlantısı şu anda kullanılamıyor. Bulut yazıcısına bağlanmak için lütfen oturum açın." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "Bulut bağlantısı şu anda kullanılamıyor. Lütfen internet bağlantınızı kontrol edin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "Yazıcı ekle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "Yazıcıları yönet" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "Bağlı yazıcılar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "Önayarlı yazıcılar" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "Geçerli yazdırma" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "İşin Adı" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "Yazdırma süresi" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "Kalan tahmini süre" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "Bulut yazıcısı çevrimdışı. Yazıcının açık ve internete bağlı olup olmadığını kontrol edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "Yazıcı hesabınızla bağlanmamış. Bağlantı kurmak için lütfen Ultimaker Digital Factory bölümünü ziyaret edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "Bulut bağlantısı şu anda kullanılamıyor. Bulut yazıcısına bağlanmak için lütfen oturum açın." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "Bulut bağlantısı şu anda kullanılamıyor. Lütfen internet bağlantınızı kontrol edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "Yazıcı ekle" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "Yazıcıları yönet" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "Bağlı yazıcılar" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "Önayarlı yazıcılar" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "Yazdırma ayarları" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "Yazıcı kurulumu devre dışı bırakıldı. G-code dosyası düzenlenemez." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "Profil" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5255,120 +4120,1703 @@ msgstr "" "\n" "Profil yöneticisini açmak için tıklayın." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "Özel profiller" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "Geçerli değişiklikleri iptal et" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "Önerilen" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "Özel" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "Açık" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "Kapalı" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "Deneysel" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "%2 ekstrüderindeki yapılandırmalar için %1 profili yok. Bunun yerine varsayılan amaç kullanılacak" msgstr[1] "%2 ekstrüderindeki yapılandırmalar için %1 profili yok. Bunun yerine varsayılan amaç kullanılacak" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "Yazıcı kurulumu devre dışı bırakıldı. G-code dosyası düzenlenemez." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "Önerilen" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "Özel" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "Açık" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "Kapalı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "Deneysel" +msgid "Profiles" +msgstr "Profiller" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "Yapıştırma" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "Bir kenar veya radye yazdırın. Bu nesnenizin etrafına veya altına daha sonra kesilmesi kolay olan düz bir alan sağlayacak." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "Aşamalı dolgu" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "Kademeli dolgu, yukarıya doğru dolgu miktarını kademeli olarak yükselecektir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "Bazı profil ayarlarını değiştirdiniz. Bunları değişiklikleri kaydetmek istiyorsanız, özel moda gidin." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "Destek" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "Modellerin askıda kalan kısımlarını destekleyen yapılar oluşturun. Bu yapılar olmadan, yazdırma sırasında söz konusu kısımlar düşebilir." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"Gizlenen bazı ayarlar normal hesaplanan değerden farklı değerler kullanır.\n" -"\n" -"Bu ayarları görmek için tıklayın." +msgid "Gradual infill" +msgstr "Aşamalı dolgu" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "Kademeli dolgu, yukarıya doğru dolgu miktarını kademeli olarak yükselecektir." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "Yapıştırma" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "Bir kenar veya radye yazdırın. Bu nesnenizin etrafına veya altına daha sonra kesilmesi kolay olan düz bir alan sağlayacak." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "Projeyi Kaydet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "Ağ etkin yazıcılar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "Yerel yazıcılar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "Malzeme" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "Favoriler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "Genel" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "Seçili Modeli Şununla Yazdır:" +msgstr[1] "Seçili Modelleri Şununla Yazdır:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "Seçili Modeli Çoğalt" +msgstr[1] "Seçili Modelleri Çoğalt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "Kopya Sayısı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "&Projeyi Kaydet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "&Dışa Aktar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "Seçimi Dışa Aktar..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "Yapılandırmalar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "Özel" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "Yazıcı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "Etkin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "Malzeme" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "Bu malzeme kombinasyonuyla daha iyi yapıştırma için yapıştırıcı kullanın." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "Yapılandırma seç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "Yapılandırmalar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "Kullanılabilir yapılandırmalar yazıcıdan yükleniyor..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "Yazıcı bağlı olmadığından yapılandırmalar kullanılamıyor." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "%1 tanınmadığından bu yapılandırma kullanılamaz. Doğru malzeme profilini indirmek için lütfen %2 bölümünü ziyaret edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "Mağaza" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "Dosya Aç..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "&Yazıcı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "&Malzeme" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "Etkin Ekstruder olarak ayarla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "Ekstruderi Etkinleştir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "Ekstruderi Devre Dışı Bırak" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "En Son Öğeyi Aç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "Görünür ayarlar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "Tüm Kategorileri Daralt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "Ayar Görünürlüğünü Yönet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "&Kamera konumu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "Kamera görüşü" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "Perspektif" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "Ortografik" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "&Yapı levhası" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "Görüntüleme tipi" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "Destek olarak basıldı." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "Bu model ile çakışan diğer modeller değiştirilir." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "Bu model ile çakışan dolgu değiştirilir." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "Bu model ile çakışmalar desteklenmez." + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "%1 ayarı geçersiz kılar." +msgstr[1] "%1 ayarı geçersiz kılar." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "Profiller" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "Etkinleştir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "Oluştur" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "Çoğalt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "Yeniden adlandır" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "İçe Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "Dışa Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "Profil Oluştur" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "Bu profil için lütfen bir ad girin." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "Profili Çoğalt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "Kaldırmayı Onayla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "%1’i kaldırmak istediğinizden emin misiniz? Bu eylem geri alınamaz!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "Profili Yeniden Adlandır" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "Profili İçe Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "Profili Dışa Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "Yazıcı: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "Profili geçerli ayarlar/geçersiz kılmalar ile güncelle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "Bu profil yazıcının belirlediği varsayılan ayarları kullanır; dolayısıyla aşağıdaki listede bulunan ayarları/geçersiz kılmaları içermez." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "Geçerli ayarlarınız seçilen profille uyumlu." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "Küresel Ayarlar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "Genel" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "Arayüz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "Para Birimi:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "Tema:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "Bu değişikliklerinin geçerli olması için uygulamayı yeniden başlatmanız gerekecektir." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "Ayarlar değiştirilirken otomatik olarak dilimle." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "Otomatik olarak dilimle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "Görünüm şekli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "Modelin desteklenmeyen alanlarını kırmızı ile gösterin. Destek alınmadan bu alanlar düzgün bir şekilde yazdırılmayacaktır." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "Dışarıda kalan alanı göster" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "Modelin eksik veya ikincil yüzeylerini uyarı işaretleri kullanarak vurgulayın. Amaçlanan geometrinin eksik parçaları genellikle takım yolları olacaktır." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "Model hatalarını görüntüle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "Bir model seçildiğinde bu model görüntünün ortasında kalacak şekilde kamera hareket eder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "Öğeyi seçince kamerayı ortalayın" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "Cura’nın varsayılan yakınlaştırma davranışı tersine çevrilsin mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "Kamera yakınlaştırma yönünü ters çevir." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "Yakınlaştırma farenin hareket yönüne uygun olsun mu?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "Fareye doğru yakınlaştırma yapılması ortografik perspektifte desteklenmez." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "Farenin hareket yönüne göre yakınlaştır" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "Platformun üzerindeki öğeler kesişmemeleri için hareket ettirilmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "Modellerin birbirinden ayrı olduğundan emin olduğundan emin olun" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "Platformun üzerindeki modeller yapı levhasına değmeleri için indirilmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "Modelleri otomatik olarak yapı tahtasına indirin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "G-code okuyucuda uyarı mesajı göster." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-code okuyucuda uyarı mesajı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "Katman, uyumluluk moduna zorlansın mı?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "Katman görünümünü uyumluluk moduna zorla (yeniden başlatma gerekir)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Cura kapatıldığı yerden mi başlatılsın?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "Başlangıçtaki pencere konumuna dönülsün" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "Ne tür bir kamera oluşturma işlemi kullanılmalıdır?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "Kamera oluşturma:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "Perspektif" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "Ortografik" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "Dosyaların açılması ve kaydedilmesi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "Masaüstünden veya harici uygulamalardan açılan dosyalar aynı Cura örneğinde mi açılacak?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "Tek bir Cura örneği kullan" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "Cura'nın tek örneğinde yeni bir model yüklenmeden önce yapı plakası temizlensin mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "Modeli tek örneğe yüklemeden önce yapı plakasını temizleyin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "Modeller çok büyükse yapı hacmine göre ölçeklendirilmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "Büyük modelleri ölçeklendirin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "Bir modelin birimi milimetre değil de metre ise oldukça küçük görünebilir. Bu modeller ölçeklendirilmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "Çok küçük modelleri ölçeklendirin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "Yüklendikten sonra modeller seçilsin mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "Yüklendiğinde modelleri seç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "Yazıcı adına bağlı bir ön ek otomatik olarak yazdırma işinin adına eklenmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "Makine ön ekini iş adına ekleyin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "Bir proje dosyasını kaydederken özet gösterilmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "Projeyi kaydederken özet iletişim kutusunu göster" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "Bir proje dosyası açıldığında varsayılan davranış" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "Bir proje dosyası açıldığında varsayılan davranış: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "Her zaman sor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "Her zaman proje olarak aç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "Her zaman modelleri içe aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "Bir profil üzerinde değişiklik yapıp farklı bir profile geçtiğinizde, değişikliklerin kaydedilmesini isteyip istemediğinizi soran bir iletişim kutusu açılır. Alternatif olarak bu işleve yönelik varsayılan bir davranış seçebilir ve bu iletişim kutusunun bir daha görüntülenmemesini tercih edebilirsiniz." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "Farklı bir profile geçerken değişen ayar değerleriyle ilgili varsayılan davranış: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "Değiştirilen ayarları her zaman at" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "Değiştirilen ayarları her zaman yeni profile taşı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "Gizlilik" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "Yazdırmanızdaki anonim veriler Ultimaker’a gönderilmeli mi? Unutmayın; hiçbir model, IP adresi veya diğer kişiye özgü bilgiler gönderilmez veya saklanmaz." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(Anonim) yazdırma bilgisi gönder" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "Daha fazla bilgi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "Güncellemeler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "Cura, program başladığında güncellemeleri kontrol etmeli mi?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "Başlangıçta güncellemeleri kontrol edin" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "Güncellemeleri kontrol ederken yalnızca istikrarlı sürümleri kontrol edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "Yalnızca istikrarlı sürümler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "Güncellemeleri kontrol ederken hem istikrarlı hem de beta sürümleri kontrol edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "İstikrarlı ve Beta sürümler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "Cura her başlatıldığında yeni eklentiler için otomatik kontrol yapılsın mı? Bu seçeneği devre dışı bırakmanız kesinlikle önerilmez!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "Eklenti güncellemeleri için bildirim alın" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "Bilgi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "Çap Değişikliğini Onayla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "Yeni filaman çapı %1 mm olarak ayarlandı ve bu değer, geçerli ekstrüder ile uyumlu değil. Devam etmek istiyor musunuz?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "Görünen Ad" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "Malzeme Türü" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "Renk" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "Özellikler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "Yoğunluk" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "Çap" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "Filaman masrafı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "Filaman ağırlığı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "Filaman uzunluğu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "Metre başına maliyet" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "Bu malzeme %1’e bağlıdır ve özelliklerinden bazılarını paylaşır." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "Malzemeyi Ayır" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "Tanım" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "Yapışma Bilgileri" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "Oluştur" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "Çoğalt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "Yazıcılarla Senkronize Et" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "Yazıcı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "Malzemeyi İçe Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "Malzeme %1 dosyasına içe aktarılamadı: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "Malzeme %1 dosyasına başarıyla içe aktarıldı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "Malzemeyi Dışa Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "Malzemenin %1 dosyasına dışa aktarımı başarısız oldu: %2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "Malzeme %1 dosyasına başarıyla dışa aktarıldı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "Tüm Malzemeleri Dışa Aktar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "Görünürlüğü Ayarlama" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "Tümünü denetle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "Yazıcılar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "Hesaplanmış" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "Ayar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "Profil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "Geçerli" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "Birim" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "Yazıcıya bağlı değil" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "Yazıcı komutları kabul etmiyor" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "Bakımda. Lütfen yazıcıyı kontrol edin" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "Yazıcı bağlantısı koptu" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "Yazdırılıyor..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "Duraklatıldı" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "Hazırlanıyor..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "Lütfen yazıcıyı çıkarın" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "Yazdırmayı Durdur" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "Yazdırmayı iptal etmek istediğinizden emin misiniz?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "Seçili Modeli %1 ile Yazdır" +msgstr[1] "Seçili Modelleri %1 ile Yazdır" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "Yazıcılarım" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "Ultimaker Digital Factory'de yazıcıları izleyin." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "Digital Library'de baskı projeleri oluşturun." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "Yazdırma görevleri" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "Baskı işlerini takip edin ve baskı geçmişinizden yeniden baskı işlemi yapın." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "Ultimaker Cura'yı eklentilerle ve malzeme profilleriyle genişletin." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "Ultimaker e-öğrenme ile 3D baskı uzmanı olun." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimaker desteği" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "Ultimaker Cura ile işe nasıl başlayacağınızı öğrenin." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "Soru gönder" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "Ultimaker Topluluğundan yardım alın." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "Hata bildirin" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "Geliştiricileri sorunlarla ilgili bilgilendirin." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "Ultimaker web sitesini ziyaret edin." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "Yazıcı kontrolü" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "Jog Konumu" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "Jog Mesafesi" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "G-code Gönder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "Bağlı yazıcıya özel bir G-code komutu gönderin. Komutu göndermek için 'enter' tuşuna basın." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "Ekstrüder" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "Sıcak ucun hedef sıcaklığı. Sıcak uç, bu sıcaklığa doğru ısıtılır veya soğutulur. Bu ayar 0 olarak belirlenirse sıcak uç ısıtma kapatılır." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "Bu sıcak ucun geçerli sıcaklığı." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "Sıcak ucun ön ısıtma sıcaklığı." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "İptal Et" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "Ön ısıtma" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "Yazdırma öncesinde sıcak ucu ısıt. Isıtma sırasında yazdırma işinizi ayarlamaya devam edebilirsiniz. Böylece yazdırmaya hazır olduğunuzda sıcak ucun ısınmasını beklemeniz gerekmez." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "Bu ekstruderdeki malzemenin rengi." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "Bu ekstruderdeki malzeme." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "Bu ekstrudere takılan nozül." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "Yazıcı bağlı değil." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "Yapı levhası" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "Isıtılmış yatağın hedef sıcaklığı. Yatak, bu sıcaklığa doğru ısıtılır veya soğutulur. Bu ayar 0 olarak belirlenirse yatak ısıtma kapatılır." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "Isıtılmış yatağın geçerli sıcaklığı." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "Yatağın ön ısıtma sıcaklığı." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "Yazdırma öncesinde yatağı ısıt. Isıtma sırasında yazdırma işinizi ayarlamaya devam edebilirsiniz. Böylece yazdırmaya hazır olduğunuzda yatağın ısınmasını beklemeniz gerekmez." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "Giriş yap" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- Marketplace'den malzeme profilleri ve eklentiler ekleyin\n" +"- Malzeme profillerinizi ve eklentilerinizi yedekleyin ve senkronize edin\n" +"- Ultimaker topluluğunda fikirlerinizi paylaşın ve 48.000'den fazla kullanıcıdan yardım alın" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "Ücretsiz Ultimaker hesabı oluşturun" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "Son güncelleme: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker hesabı" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "Çıkış yap" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "Kontrol ediliyor..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "Hesap senkronize edildi" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "Bir sorun oluştu..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "Bekleyen güncellemeleri yükle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "Hesap güncellemelerini kontrol et" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "Başlıksız" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "Seçilecek öğe yok" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "Çevrimiçi Sorun Giderme Kılavuzunu" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "Tam Ekrana Geç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "Tam Ekrandan Çık" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "&Geri Al" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "&Yinele" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "&Çıkış" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3 Boyutlu Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "Önden Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "Yukarıdan Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "Alttan Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "Sol Taraftan Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "Sağ Taraftan Görünüm" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "Cura’yı yapılandır..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "&Yazıcı Ekle..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "Yazıcıları Yönet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "Malzemeleri Yönet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "Mağazadan daha fazla malzeme ekle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "&Profili geçerli ayarlar/geçersiz kılmalar ile güncelle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "&Geçerli değişiklikleri iptal et" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "G&eçerli ayarlardan/geçersiz kılmalardan profil oluştur..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "Profilleri Yönet..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "Çevrimiçi Belgeleri Göster" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "Hata Bildir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "Yenilikler" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "Hakkında..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "Seçileni Sil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "Seçileni Ortala" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "Seçileni Çoğalt" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "Modeli Sil" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "Modeli Platformda Ortala" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "Modelleri Gruplandır" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "Model Grubunu Çöz" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "&Modelleri Birleştir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "&Modeli Çoğalt..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "Tüm modelleri Seç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "Yapı Levhasını Temizle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "Tüm Modelleri Yeniden Yükle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "Tüm Modelleri Tüm Yapı Levhalarına Yerleştir" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "Tüm Modelleri Düzenle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "Seçimi Düzenle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "Tüm Model Konumlarını Sıfırla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "Tüm Model ve Dönüşümleri Sıfırla" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "&Dosya Aç..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "&Yeni Proje..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "Yapılandırma Klasörünü Göster" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "Görünürlük ayarını yapılandır..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "&Mağazayı Göster" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "Etkilediği tüm ayarlar geçersiz kılındığı için bu ayar kullanılmamaktadır." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "Etkileri" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr ".........den etkilenir" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "Bu ayar her zaman, tüm ekstrüderler arasında paylaşılır. Buradan değiştirildiğinde tüm ekstrüderler için değer değiştirir." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "Bu ayar, çakışan ekstrüdere özgü değerlerden çözümlenir:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5379,7 +5827,7 @@ msgstr "" "\n" "Profil değerini yenilemek için tıklayın." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5390,509 +5838,93 @@ msgstr "" "\n" "Hesaplanan değeri yenilemek için tıklayın." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "Arama ayarları" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "Değeri tüm ekstruderlere kopyala" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "Tüm değiştirilmiş değerleri tüm ekstruderlere kopyala" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "Bu ayarı gizle" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "Bu ayarı gösterme" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "Bu ayarı görünür yap" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3 Boyutlu Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "Önden Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "Yukarıdan Görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "Sol görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "Sağ görünüm" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "Görüntüleme tipi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "Bulut yazıcısı ekle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "Bulut yanıtı bekleniyor" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "Hesabınızda hiç yazıcı bulunamıyor mu?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "Hesabınızdaki şu yazıcılar Cura'ya eklendi:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "Yazıcıyı manuel olarak ekle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "Üretici" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "Profil sahibi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "Yazıcı adı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "Lütfen yazıcınızı adlandırın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "Bir yazıcı ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "Bir ağ yazıcısı ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "Ağ dışı bir yazıcı ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "Ağınızda yazıcı bulunamadı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "Yenile" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "IP'ye göre bir yazıcı ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "Bulut yazıcısı ekle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "Sorun giderme" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "IP adresine göre bir yazıcı ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "Yazıcınızın IP adresini girin." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "Ekle" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "Cihaza bağlanılamadı." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "Ultimaker yazıcınıza bağlanamıyor musunuz?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "Bu adresteki yazıcı henüz yanıt vermedi." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "Bu yazıcı bilinmeyen bir yazıcı olduğu veya bir grubun ana makinesi olmadığı için eklenemiyor." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "Geri" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "Bağlan" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "Sürüm notları" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "Marketplace'den malzeme ayarlarını ve eklentileri ekleyin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "Malzeme ayarlarınızı ve eklentilerinizi yedekleyin ve senkronize edin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "Ultimaker Topluluğunda fikirlerinizi paylaşın ve 48.000'den fazla kullanıcıdan yardım alın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "Atla" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "Ücretsiz Ultimaker Hesabı oluşturun" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "Ultimaker Cura'yı geliştirmemiz yardım edin" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura, yazdırma kalitesini ve kullanıcı deneyimini iyileştirmek için anonim veri toplar. Bu veriler aşağıdakileri içerir:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "Makine türleri" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "Malzeme kullanımı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "Dilim sayısı" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "Yazdırma ayarları" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura tarafından toplanan veriler herhangi bir kişisel bilgi içermeyecektir." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "Daha fazla bilgi" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "Boş" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "Kullanıcı Anlaşması" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "Reddet ve kapat" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "Ultimaker Cura'ya hoş geldiniz" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"Ultimaker Cura'yı kurmak\n" -" için lütfen aşağıdaki adımları izleyin. Bu sadece birkaç saniye sürecektir." +"Gizlenen bazı ayarlar normal hesaplanan değerden farklı değerler kullanır.\n" +"\n" +"Bu ayarları görmek için tıklayın." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "Başlayın" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "Bu paket yeniden başlatmanın ardından kurulacak." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "Ayarlar" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "%1 kapatılıyor" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "%1 uygulamasından çıkmak istediğinizden emin misiniz?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "Paketi Kur" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "Dosya Aç" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "Seçtiğiniz dosyalar arasında bir veya daha fazla G-code dosyası bulduk. Tek seferde sadece bir G-code dosyası açabilirsiniz. Bir G-code dosyası açmak istiyorsanız, sadece birini seçiniz." + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "Yazıcı Ekle" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "Yenilikler" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "Seçilecek öğe yok" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "Olası yazdırma sorunlarına karşı modelleri ve yazdırma yapılandırmasını kontrol eder ve öneriler verir." - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "Model Kontrol Edici" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "3MF dosyalarının okunması için destek sağlar." - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF Okuyucu" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "3MF dosyalarının yazılması için destek sağlar." - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF Yazıcı" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "AMF dosyalarının okunması için destek sağlar." - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF Okuyucu" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "Yapılandırmanızı yedekleyin ve geri yükleyin." - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura Yedeklemeleri" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "CuraEngine arka dilimleme ucuna bağlantı sağlar." - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine Arka Uç" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "Cura profillerinin içe aktarılması için destek sağlar." - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura Profil Okuyucu" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "Cura profillerinin dışa aktarılması için destek sağlar." - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura Profili Yazıcı" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "Digital Library'ye bağlanarak Cura'nın Digital Library'deki dosyaları açmasına ve kaydetmesine olanak tanır." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "Bellenim güncellemelerini denetler." - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "Bellenim Güncelleme Denetleyicisi" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "Aygıt yazılımını güncellemeye yönelik makine eylemleri sağlar." - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "Aygıt Yazılımı Güncelleyici" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "Bir sıkıştırılmış arşivden g-code okur." - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "Sıkıştırılmış G-code Okuyucusu" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "G-code’u bir sıkıştırılmış arşive yazar." - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "Sıkıştırılmış G-code Yazıcısı" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "G-code dosyalarından profilleri içe aktarmak için destek sağlar." - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-code Profil Okuyucu" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "G-code dosyalarının yüklenmesine ve görüntülenmesine olanak tanır." - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-code Okuyucu" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "G-code’u bir dosyaya yazar." - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-code Yazıcı" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "2D resim dosyasından yazdırılabilir geometri oluşturulmasını sağlar." - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "Resim Okuyucu" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "Eski Cura sürümlerinden profilleri içe aktarmak için destek sağlar." - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "Eski Cura Profil Okuyucu" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "Makine ayarlarının değiştirilmesini sağlar (yapı hacmi, nozül boyutu vb.)" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "Makine Ayarları eylemi" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "Cura’da görüntüleme aşaması sunar." - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "Görüntüleme Aşaması" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5903,85 +5935,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "Model Başına Ayarlar Aracı" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "Kullanıcının oluşturduğu komut dosyalarına son işleme için izin veren uzantı" +msgid "Provides support for importing Cura profiles." +msgstr "Cura profillerinin içe aktarılması için destek sağlar." -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "Son İşleme" +msgid "Cura Profile Reader" +msgstr "Cura Profil Okuyucu" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "Cura’da hazırlık aşaması sunar." +msgid "Provides support for reading X3D files." +msgstr "X3D dosyalarının okunması için destek sağlar." -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "Hazırlık Aşaması" +msgid "X3D Reader" +msgstr "X3D Okuyucu" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "Cura’da ön izleme aşaması sunar." +msgid "Backup and restore your configuration." +msgstr "Yapılandırmanızı yedekleyin ve geri yükleyin." -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "Öz İzleme Aşaması" +msgid "Cura Backups" +msgstr "Cura Yedeklemeleri" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "Çıkarılabilir sürücünün takılıp çıkarılmasını ve yazma desteği sağlar." +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "Makine ayarlarının değiştirilmesini sağlar (yapı hacmi, nozül boyutu vb.)" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "Çıkarılabilir Sürücü Çıkış Cihazı Eklentisi" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "Çökme raporlayıcının kullanabilmesi için belirli olayları günlüğe kaydeder" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Nöbetçi Günlükçü" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "Simülasyon görünümünü sunar." - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "Simülasyon Görünümü" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "Anonim dilim bilgisi gönderir. Tercihlerden devre dışı bırakılabilir." - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "Dilim bilgisi" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "Normal gerçek bir ağ görünümü sağlar." - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "Gerçek Görünüm" +msgid "Machine Settings Action" +msgstr "Makine Ayarları eylemi" #: SupportEraser/plugin.json msgctxt "description" @@ -5993,35 +5985,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "Destek Silici" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "Yeni Cura paketleri bulun, yönetin ve kurun." +msgid "Provides removable drive hotplugging and writing support." +msgstr "Çıkarılabilir sürücünün takılıp çıkarılmasını ve yazma desteği sağlar." -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "Araç kutusu" +msgid "Removable Drive Output Device Plugin" +msgstr "Çıkarılabilir Sürücü Çıkış Cihazı Eklentisi" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "Model dosyalarını okuma desteği sağlar." +msgid "Provides a machine actions for updating firmware." +msgstr "Aygıt yazılımını güncellemeye yönelik makine eylemleri sağlar." -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh Okuyucu" +msgid "Firmware Updater" +msgstr "Aygıt Yazılımı Güncelleyici" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "Ultimaker Biçim Paketlerinin okunması için destek sağlar." +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "Eski Cura sürümlerinden profilleri içe aktarmak için destek sağlar." -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP Okuyucu" +msgid "Legacy Cura Profile Reader" +msgstr "Eski Cura Profil Okuyucu" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "3MF dosyalarının okunması için destek sağlar." + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF Okuyucu" #: UFPWriter/plugin.json msgctxt "description" @@ -6033,25 +6035,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UPF Yazıcı" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "Ultimaker makineleri için makine eylemleri sunar (yatak dengeleme sihirbazı, yükseltme seçme vb.)" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "Çökme raporlayıcının kullanabilmesi için belirli olayları günlüğe kaydeder" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker makine eylemleri" +msgid "Sentry Logger" +msgstr "Nöbetçi Günlükçü" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "Ultimaker ağındaki yazıcılar için ağ bağlantılarını yönetir." +msgid "Provides support for importing profiles from g-code files." +msgstr "G-code dosyalarından profilleri içe aktarmak için destek sağlar." -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker Ağ Bağlantısı" +msgid "G-code Profile Reader" +msgstr "G-code Profil Okuyucu" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "Cura’da ön izleme aşaması sunar." + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "Öz İzleme Aşaması" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "Röntgen Görüntüsü sağlar." + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "Röntgen Görüntüsü" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "CuraEngine arka dilimleme ucuna bağlantı sağlar." + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine Arka Uç" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "AMF dosyalarının okunması için destek sağlar." + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF Okuyucu" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "Bir sıkıştırılmış arşivden g-code okur." + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "Sıkıştırılmış G-code Okuyucusu" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "Kullanıcının oluşturduğu komut dosyalarına son işleme için izin veren uzantı" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "Son İşleme" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "Cura profillerinin dışa aktarılması için destek sağlar." + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura Profili Yazıcı" #: USBPrinting/plugin.json msgctxt "description" @@ -6063,25 +6135,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB yazdırma" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "Yapılandırmaları Cura 2.1’den Cura 2.2’ye yükseltir." +msgid "Provides a prepare stage in Cura." +msgstr "Cura’da hazırlık aşaması sunar." -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "2.1’den 2.2’ye Sürüm Yükseltme" +msgid "Prepare Stage" +msgstr "Hazırlık Aşaması" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "Yapılandırmaları Cura 2.2’den Cura 2.4’e yükseltir." +msgid "Allows loading and displaying G-code files." +msgstr "G-code dosyalarının yüklenmesine ve görüntülenmesine olanak tanır." -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "2.2’den 2.4’e Sürüm Yükseltme" +msgid "G-code Reader" +msgstr "G-code Okuyucu" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "2D resim dosyasından yazdırılabilir geometri oluşturulmasını sağlar." + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "Resim Okuyucu" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "Ultimaker makineleri için makine eylemleri sunar (yatak dengeleme sihirbazı, yükseltme seçme vb.)" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker makine eylemleri" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "G-code’u bir sıkıştırılmış arşive yazar." + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "Sıkıştırılmış G-code Yazıcısı" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "Bellenim güncellemelerini denetler." + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "Bellenim Güncelleme Denetleyicisi" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "Anonim dilim bilgisi gönderir. Tercihlerden devre dışı bırakılabilir." + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "Dilim bilgisi" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "XML tabanlı malzeme profillerini okuma ve yazma olanağı sağlar." + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "Malzeme Profilleri" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "Digital Library'ye bağlanarak Cura'nın Digital Library'deki dosyaları açmasına ve kaydetmesine olanak tanır." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "Yeni Cura paketleri bulun, yönetin ve kurun." + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "Araç kutusu" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "G-code’u bir dosyaya yazar." + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-code Yazıcı" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "Simülasyon görünümünü sunar." + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "Simülasyon Görünümü" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "Yapılandırmaları Cura 4.5'ten Cura 4.6'ya yükseltir." + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "4.5'ten 4.6'ya Sürüm Yükseltme" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6093,55 +6275,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "2.5’ten 2.6’ya Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "Yapılandırmaları Cura 2.6’dan Cura 2.7’ye yükseltir." +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "Yapılandırmaları Cura 4.6.0'dan Cura 4.6.2'ye yükseltir." -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "2.6’dan 2.7’ye Sürüm Yükseltme" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "4.6.0'dan 4.6.2'ye Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "Yapılandırmaları Cura 2.7’den Cura 3.0’a yükseltir." +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "Yapılandırmaları Cura 4.7'den Cura 4.8'e yükseltir." -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "2.7’den 3.0’a Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "Yapılandırmaları Cura 3.0'dan Cura 3.1'e yükseltir." - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "3.0'dan 3.1'e Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "Yapılandırmaları Cura 3.2’ten Cura 3.3’ya yükseltir." - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "3.2'dan 3.3'e Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "Yapılandırmaları Cura 3.3’ten Cura 3.4’ya yükseltir." - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "3.3'dan 3.4'e Sürüm Yükseltme" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "4.7'den 4.8'e Sürüm Yükseltme" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6153,45 +6305,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "3.4’ten 3.5’e Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "Yapılandırmaları Cura 3.5’ten Cura 4.0’a yükseltir." +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "Yapılandırmaları Cura 2.1’den Cura 2.2’ye yükseltir." -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "3.5’ten 4.0’a Sürüm Yükseltme" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "2.1’den 2.2’ye Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "Yapılandırmaları Cura 4.0’dan Cura 4.1’e yükseltir." +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "Yapılandırmaları Cura 3.2’ten Cura 3.3’ya yükseltir." -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "4.0’dan 4.1’e Sürüm Yükseltme" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "3.2'dan 3.3'e Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "Yapılandırmaları Cura 4.11'den Cura 4.12'ye yükseltir." +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "Yapılandırmaları Cura 4.8'den Cura 4.9'a yükseltir." -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "4.11'den 4.12'ye Sürüm Yükseltme" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "4.8'den 4.9'a Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "Yapılandırmaları Cura 4.1'den Cura 4.2'ye yükseltir." +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "Yapılandırmaları Cura 4.6.2'den Cura 4.7'ye yükseltir." -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "Sürüm 4.1'den 4.2'ye Yükseltme" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "4.6.2'den 4.7'ye Sürüm Yükseltme" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6213,66 +6365,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "4.3'ten 4.4'e Sürüm Yükseltme" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "Yapılandırmaları Cura 4.4'ten Cura 4.5'e yükseltir." - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "4.4'ten 4.5'e Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "Yapılandırmaları Cura 4.5'ten Cura 4.6'ya yükseltir." - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "4.5'ten 4.6'ya Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "Yapılandırmaları Cura 4.6.0'dan Cura 4.6.2'ye yükseltir." - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "4.6.0'dan 4.6.2'ye Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "Yapılandırmaları Cura 4.6.2'den Cura 4.7'ye yükseltir." - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "4.6.2'den 4.7'ye Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "Yapılandırmaları Cura 4.7'den Cura 4.8'e yükseltir." - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "4.7'den 4.8'e Sürüm Yükseltme" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "Yapılandırmaları Cura 4.8'den Cura 4.9'a yükseltir." - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "4.8'den 4.9'a Sürüm Yükseltme" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6283,35 +6375,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "4.9'dan 4.10'a Sürüm Yükseltme" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "X3D dosyalarının okunması için destek sağlar." +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "Yapılandırmaları Cura 2.7’den Cura 3.0’a yükseltir." -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D Okuyucu" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "2.7’den 3.0’a Sürüm Yükseltme" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "XML tabanlı malzeme profillerini okuma ve yazma olanağı sağlar." +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "Yapılandırmaları Cura 2.6’dan Cura 2.7’ye yükseltir." -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "Malzeme Profilleri" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "2.6’dan 2.7’ye Sürüm Yükseltme" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "Röntgen Görüntüsü sağlar." +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "Yapılandırmaları Cura 4.11'den Cura 4.12'ye yükseltir." -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "Röntgen Görüntüsü" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "4.11'den 4.12'ye Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "Yapılandırmaları Cura 3.3’ten Cura 3.4’ya yükseltir." + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "3.3'dan 3.4'e Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "Yapılandırmaları Cura 3.0'dan Cura 3.1'e yükseltir." + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "3.0'dan 3.1'e Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "Yapılandırmaları Cura 4.0’dan Cura 4.1’e yükseltir." + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "4.0’dan 4.1’e Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "Yapılandırmaları Cura 4.4'ten Cura 4.5'e yükseltir." + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "4.4'ten 4.5'e Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "Yapılandırmaları Cura 2.2’den Cura 2.4’e yükseltir." + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "2.2’den 2.4’e Sürüm Yükseltme" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "Yapılandırmaları Cura 4.1'den Cura 4.2'ye yükseltir." + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "Sürüm 4.1'den 4.2'ye Yükseltme" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "Yapılandırmaları Cura 3.5’ten Cura 4.0’a yükseltir." + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "3.5’ten 4.0’a Sürüm Yükseltme" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "Ultimaker ağındaki yazıcılar için ağ bağlantılarını yönetir." + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker Ağ Bağlantısı" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "Model dosyalarını okuma desteği sağlar." + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh Okuyucu" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "Ultimaker Biçim Paketlerinin okunması için destek sağlar." + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP Okuyucu" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "Normal gerçek bir ağ görünümü sağlar." + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "Gerçek Görünüm" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "3MF dosyalarının yazılması için destek sağlar." + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF Yazıcı" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "Cura’da görüntüleme aşaması sunar." + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "Görüntüleme Aşaması" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "Olası yazdırma sorunlarına karşı modelleri ve yazdırma yapılandırmasını kontrol eder ve öneriler verir." + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "Model Kontrol Edici" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/tr_TR/fdmextruder.def.json.po b/resources/i18n/tr_TR/fdmextruder.def.json.po index 260470df83..e4fc701181 100644 --- a/resources/i18n/tr_TR/fdmextruder.def.json.po +++ b/resources/i18n/tr_TR/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 15:03+0200\n" "Last-Translator: Bothof \n" "Language-Team: Turkish\n" diff --git a/resources/i18n/tr_TR/fdmprinter.def.json.po b/resources/i18n/tr_TR/fdmprinter.def.json.po index 38e142e89c..ba361be3fa 100644 --- a/resources/i18n/tr_TR/fdmprinter.def.json.po +++ b/resources/i18n/tr_TR/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:03+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Turkish , Turkish \n" @@ -53,8 +53,10 @@ msgstr "G-code’u Başlat" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "ile ayrılan, başlangıçta yürütülecek G-code komutları \\n." +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -63,8 +65,10 @@ msgstr "G-code’u Sonlandır" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "ile ayrılan, bitişte yürütülecek G-code komutları \\n." +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -146,6 +150,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "Yazdırılabilir alan derinliği (Y yönü)." +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "Makine Yüksekliği" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "Yazdırılabilir alan yüksekliği (Z yönü)." + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -186,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "Alüminyum" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "Makine Yüksekliği" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "Yazdırılabilir alan yüksekliği (Z yönü)." - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -553,8 +557,8 @@ msgstr "Z yönü motoru için maksimum hız." #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "Maksimum besleme hızı" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1723,11 +1727,8 @@ msgstr "Dolgu Şekli" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "Baskının dolgu malzemesinin şeklidir. Hat ve zikzak dolgu, farklı katmanlar üzerinde yön değiştirerek malzeme maliyetini azaltır. Izgara, üçgen, üçlü altıgen," -" kübik, sekizlik, çeyrek kübik, çapraz ve eşmerkezli şekiller her katmana tam olarak basılır. Gyroid, kübik, çeyrek kübik ve sekizlik dolgu, her yönde" -" daha eşit bir kuvvet dağılımı sağlamak için her katmanda değişir. Yıldırım dolgu, objenin yalnızca (iç) çatılarını destekleyerek dolgu miktarını en aza" -" indirmeye çalışır. Bu durumda dolgu yüzdesi yalnızca bir katmanın altında 'geçerli' olur ve modeli destekler." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2040,9 +2041,8 @@ msgstr "Yıldırım Dolgu Budama Açısı" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "Bir yıldırım dolgu katmanının hemen üstündeki katmanla ağaçların dış uzantılarının budanması şeklinde sahip olabileceği farktır. Dalların açısı olarak" -" ölçülür." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2051,8 +2051,8 @@ msgstr "Yıldırım Dolgu Düzleştirme Açısı" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "Bir yıldırım dolgu katmanının hemen üstündeki katmanla ağaçların düzlenmesi şeklinde sahip olabileceği farktır. Dalların açısı olarak ölçülür." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6477,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "Modeli dosyadan indirirken modele uygulanacak olan dönüşüm matrisi." +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "ile ayrılan, başlangıçta yürütülecek G-code komutları \\n." + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "ile ayrılan, bitişte yürütülecek G-code komutları \\n." + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "Maksimum besleme hızı" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "Baskının dolgu malzemesinin şeklidir. Hat ve zikzak dolgu, farklı katmanlar üzerinde yön değiştirerek malzeme maliyetini azaltır. Izgara, üçgen, üçlü altıgen, kübik, sekizlik, çeyrek kübik, çapraz ve eşmerkezli şekiller her katmana tam olarak basılır. Gyroid, kübik, çeyrek kübik ve sekizlik dolgu, her yönde daha eşit bir kuvvet dağılımı sağlamak için her katmanda değişir. Yıldırım dolgu, objenin yalnızca (iç) çatılarını destekleyerek dolgu miktarını en aza indirmeye çalışır. Bu durumda dolgu yüzdesi yalnızca bir katmanın altında 'geçerli' olur ve modeli destekler." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "Bir yıldırım dolgu katmanının hemen üstündeki katmanla ağaçların dış uzantılarının budanması şeklinde sahip olabileceği farktır. Dalların açısı olarak ölçülür." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "Bir yıldırım dolgu katmanının hemen üstündeki katmanla ağaçların düzlenmesi şeklinde sahip olabileceği farktır. Dalların açısı olarak ölçülür." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "Baskının dolgu malzemesinin şeklidir. Hat ve zikzak dolgu, farklı katmanlar üzerinde yön değiştirerek malzeme maliyetini azaltır. Izgara, üçgen, üçlü altıgen, kübik, sekizlik, çeyrek kübik, çapraz ve eşmerkezli şekiller, her katmana tam olarak basılır. Gyroid, kübik, çeyrek kübik ve sekizlik dolgu, her yönde daha eşit bir kuvvet dağılımı sağlamak için her katmanda değişir." diff --git a/resources/i18n/zh_CN/cura.po b/resources/i18n/zh_CN/cura.po index f5de8f24a9..cbf06a73a5 100644 --- a/resources/i18n/zh_CN/cura.po +++ b/resources/i18n/zh_CN/cura.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-04-16 15:04+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Chinese , PCDotFan , Chinese \n" @@ -17,212 +17,449 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 2.4.1\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "未知" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "不能从用户数据目录创建存档: {}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "无法连接到下列打印机,因为这些打印机已在组中" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "备份" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "可用的网络打印机" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "试图在没有适当数据或元数据的情况下恢复Cura备份。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "未覆盖" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "尝试恢复的 Cura 备份版本高于当前版本。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "尝试恢复 Cura 备份时出现以下错误:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "请在开始打印之前将材料配置文件与您的打印机同步。" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "新材料已装载" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "同步材料与打印机" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "详细了解" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "未能将材料存档保存到 {}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "未能保存材料存档" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "由于“打印序列”设置的值,成形空间体积高度已被减少,以防止十字轴与打印模型相冲突。" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "成形空间体积" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "是否确实要删除 {0}?此操作无法撤消!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "未覆盖" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "未知" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "无法连接到下列打印机,因为这些打印机已在组中" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "可用的网络打印机" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "Default" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "视觉" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "视觉配置文件用于打印视觉原型和模型,可实现出色的视觉效果和表面质量。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "Engineering" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "工程配置文件用于打印功能性原型和最终用途部件,可提高准确性和减小公差。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "草稿" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "草稿配置文件用于打印初始原型和概念验证,可大大缩短打印时间。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "请在开始打印之前将材料配置文件与您的打印机同步。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "新材料已装载" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "同步材料与打印机" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "详细了解" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "自定义材料" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "自定义" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "未能将材料存档保存到 {}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "未能保存材料存档" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "自定义配置文件" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "所有支持的文件类型 ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "所有文件 (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "视觉" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "视觉配置文件用于打印视觉原型和模型,可实现出色的视觉效果和表面质量。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "Engineering" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "工程配置文件用于打印功能性原型和最终用途部件,可提高准确性和减小公差。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "草稿" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "草稿配置文件用于打印初始原型和概念验证,可大大缩短打印时间。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "自定义材料" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "自定义" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "登录失败" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "正在为模型寻找新位置" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "正在寻找位置" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "无法在成形空间体积内放下全部模型" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "找不到位置" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "不能从用户数据目录创建存档: {}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "备份" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "试图在没有适当数据或元数据的情况下恢复Cura备份。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "尝试恢复的 Cura 备份版本高于当前版本。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "尝试恢复 Cura 备份时出现以下错误:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "正在载入打印机..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "正在设置偏好设置..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "正在初始化当前机器..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "正在初始化机器管理器..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "正在初始化成形空间体积..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "正在设置场景..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "正在载入界面..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "正在初始化引擎..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "由于“打印序列”设置的值,成形空间体积高度已被减少,以防止十字轴与打印模型相冲突。" +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "一次只能加载一个 G-code 文件。{0} 已跳过导入" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "成形空间体积" +msgid "Warning" +msgstr "警告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "如果加载 G-code,则无法打开其他任何文件。{0} 已跳过导入" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "错误" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "跳过" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "关闭" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "下一步" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "完成" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "添加" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "取消" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "组 #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "外壁" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "内壁" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "表层" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "填充" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "支撑填充" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "支撑接触面" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "支撑" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "Skirt" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "装填塔" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "移动" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "回抽" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "其它" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "无法打开版本说明。" + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura 无法启动" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -237,32 +474,32 @@ msgstr "" "

    请向我们发送此错误报告,以便解决问题。

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "向 Ultimaker 发送错误报告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "显示详细的错误报告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "显示配置文件夹" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "备份并重置配置" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "错误报告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -273,497 +510,1264 @@ msgstr "" "

    请使用“发送报告”按钮将错误报告自动发布到我们的服务器

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "系统信息" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "未知" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura 版本" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura 语言" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "操作系统语言" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "平台" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt 版本" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt 版本" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "尚未初始化
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL 版本: {version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL 供应商: {vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL 渲染器: {renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "错误追溯" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "日志" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "发送报告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "正在载入打印机..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "正在设置偏好设置..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "正在初始化当前机器..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "正在初始化机器管理器..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "正在初始化成形空间体积..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "正在设置场景..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "正在载入界面..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "正在初始化引擎..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "一次只能加载一个 G-code 文件。{0} 已跳过导入" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "警告" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "如果加载 G-code,则无法打开其他任何文件。{0} 已跳过导入" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "错误" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "复制并放置模型" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "放置模型" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "放置模型" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "无法读取响应。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "所提供的状态不正确。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "在授权此应用程序时,须提供所需权限。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "尝试登录时出现意外情况,请重试。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "无法开始新的登录过程。请检查是否仍在尝试进行另一登录。" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "无法连接 Ultimaker 帐户服务器。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "所提供的状态不正确。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "在授权此应用程序时,须提供所需权限。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "尝试登录时出现意外情况,请重试。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "无法读取响应。" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "复制并放置模型" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "放置模型" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "放置模型" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "不支持" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "Default" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "喷嘴" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "已根据挤出机的当前可用性更改设置:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "设置已更新" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "挤出机已禁用" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "文件已存在" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "文件 {0} 已存在。您确定要覆盖它吗?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "文件 URL 无效:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "无法将配置文件导出至 {0} {1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "无法将配置文件导出至 {0} : 写入器插件报告故障。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "配置文件已导出至: {0} " -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "导出成功" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "无法从 {0} 导入配置文件:{1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "无法在添加打印机前从 {0} 导入配置文件。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "没有可导入文件 {0} 的自定义配置文件" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "无法从 {0} 导入配置文件:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "此配置文件 {0} 包含错误数据,无法导入。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "无法从 {0} 导入配置文件:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "已成功导入配置文件 {0}。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "文件 {0} 不包含任何有效的配置文件。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "配置 {0} 文件类型未知或已损坏。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "自定义配置文件" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "配置文件缺少打印质量类型定义。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "尚无处于活动状态的打印机。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "无法添加配置文件。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "质量类型“{0}”与当前有效的机器定义“{1}”不兼容。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "警告:配置文件不可见,因为其质量类型“{0}”对当前配置不可用。请切换到可使用此质量类型的材料/喷嘴组合。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "不支持" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "Default" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "喷嘴" +msgid "Per Model Settings" +msgstr "单一模型设置" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "已根据挤出机的当前可用性更改设置:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "设置对每个模型的单独设定" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura 配置文件" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D 文件" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "尝试恢复您的备份时出错。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "设置已更新" +msgid "Backups" +msgstr "备份" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "上传您的备份时出错。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "正在创建您的备份..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "创建您的备份时出错。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "正在上传您的备份..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "您的备份已完成上传。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "备份超过了最大文件大小。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "管理备份" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "打印机设置" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "支撑拦截器" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "创建一个不打印支撑的体积。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "可移动磁盘" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "保存至可移动磁盘" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "保存到可移动磁盘 {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "没有可进行写入的文件格式!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "保存到可移动磁盘 {0} " + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "挤出机已禁用" +msgid "Saving" +msgstr "正在保存" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "无法保存到 {0}{1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "尝试写入到 {device} 时找不到文件名。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 +#, python-brace-format +msgctxt "@info:status" +msgid "Could not save to removable drive {0}: {1}" +msgstr "无法保存到可移动磁盘 {0}:{1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "保存到可移动磁盘 {0} :{1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "文件已保存" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 msgctxt "@action:button" -msgid "Add" -msgstr "添加" +msgid "Eject" +msgstr "弹出" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "弹出可移动设备 {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "已弹出 {0}。现在,您可以安全地拔出磁盘。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "安全移除硬件" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "无法弹出 {0},另一个程序可能正在使用磁盘。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "更新固件" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 配置文件" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "推荐" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "自定义" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "项目文件 {0} 包含未知机器类型 {1}。无法导入机器。将改为导入模型。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "打开项目文件" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "突然无法访问项目文件 {0}{1}。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "无法打开项目文件" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "项目文件 {0} 损坏: {1}。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tag !" +msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." +msgstr "项目文件 {0} 是用此 Ultimaker Cura 版本未识别的配置文件制作的。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 +msgctxt "@item:inlistbox" +msgid "3MF File" +msgstr "3MF 文件" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "无法写入到 UFP 文件:" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "Ultimaker Format Package" +msgstr "Ultimaker 格式包" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 +msgctxt "@item:inlistbox" +msgid "G-code File" +msgstr "GCode 文件" + +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 +msgctxt "@item:inmenu" +msgid "Preview" +msgstr "预览" + +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "透视视图" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "正在处理层" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "信息" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +msgctxt "@message" +msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." +msgstr "发生意外错误,切片失败。请于问题跟踪器上报告错误。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +msgctxt "@message:title" +msgid "Slicing failed" +msgstr "切片失败" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +msgctxt "@message:button" +msgid "Report a bug" +msgstr "报告错误" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +msgctxt "@message:description" +msgid "Report a bug on Ultimaker Cura's issue tracker." +msgstr "在 Ultimaker Cura 问题跟踪器上报告错误。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +msgctxt "@info:status" +msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." +msgstr "无法使用当前材料进行切片,因为该材料与所选机器或配置不兼容。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "无法切片" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice with the current settings. The following settings have errors: {0}" +msgstr "无法使用当前设置进行切片。以下设置存在错误:{0}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" +msgstr "因部分特定模型设置而无法切片。 以下设置在一个或多个模型上存在错误: {error_labels}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:status" +msgid "Unable to slice because the prime tower or prime position(s) are invalid." +msgstr "无法切片(原因:主塔或主位置无效)。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#, python-format +msgctxt "@info:status" +msgid "Unable to slice because there are objects associated with disabled Extruder %s." +msgstr "无法切片,因为存在与已禁用挤出机 %s 相关联的对象。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +msgctxt "@info:status" +msgid "" +"Please review settings and check if your models:\n" +"- Fit within the build volume\n" +"- Are assigned to an enabled extruder\n" +"- Are not all set as modifier meshes" +msgstr "" +"请检查设置并检查您的模型是否:\n" +"- 适合构建体积\n" +"- 分配给了已启用的挤出器\n" +"- 尚未全部设置为修改器网格" + +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "AMF File" +msgstr "AMF 文件" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "压缩 G-code 文件" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "后期处理" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "修改 G-Code" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB 联机打印" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "通过 USB 联机打印" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "通过 USB 联机打印" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "通过 USB 连接" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "正在进行 USB 打印,关闭 Cura 将停止此打印。您确定吗?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "正在进行打印在上一次打印完成之前,Cura 无法通过 USB 启动另一次打印。" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "正在进行打印" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "准备" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "解析 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-code 详细信息" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "发送文件之前,请确保 G-code 适用于当前打印机和打印机配置。当前 G-code 文件可能不准确。" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G 文件" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG 图像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG 图像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG 图像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP 图像" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF 图像" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "调平打印平台" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "选择升级" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "GCodeGzWriter 不支持文本模式。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "无法获取更新信息。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#, python-brace-format +msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" +msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "您的 {machine_name} 可能有新功能或错误修复可用!如果打印机上的固件还不是最新版本,建议将其更新为 {latest_version} 版。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s stable firmware available" +msgstr "新 %s 稳定固件可用" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" -msgid "Finish" -msgstr "完成" +msgid "How to update" +msgstr "如何更新" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +msgctxt "@text" +msgid "Unable to read example data file." +msgstr "无法读取示例数据文件。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +msgctxt "@info:generic" +msgid "You need to quit and restart {} before changes have effect." +msgstr "需要退出并重新启动 {},然后更改才能生效。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "正在同步..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "检测到您的 Ultimaker 帐户有更改" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "是否要与您的帐户同步材料和软件包?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 msgctxt "@action:button" -msgid "Cancel" -msgstr "取消" +msgid "Sync" +msgstr "同步" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "拒绝并从帐户中删除" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +msgctxt "@info:generic" +msgid "{} plugins failed to download" +msgstr "{} 个插件下载失败" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "拒绝" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "同意" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "插件许可协议" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "GCodeWriter 不支持非文本模式。" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "导出前请先准备 G-code。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "启用“单线打印”后,Cura 将无法准确地显示打印层。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "仿真视图" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "由于需要先切片,因此未显示任何内容。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "无层可显示" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "不再显示此消息" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "Layer view" +msgstr "分层视图" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "通过网络打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "通过网络打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "已通过网络连接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "明天" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "今天" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 +msgctxt "@action" +msgid "Connect via Network" +msgstr "通过网络连接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "请等待当前作业完成发送。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "打印错误" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "打印作业已成功发送到打印机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "数据已发送" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "您正在尝试连接未运行 Ultimaker Connect 的打印机。请将打印机更新至最新固件。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "请更新升级打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "打印作业队列已满。打印机无法接受新作业。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "队列已满" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "发送打印作业" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "正在将打印作业上传至打印机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura 已检测到材料配置文件尚未安装到组 {0} 中的主机打印机上。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "正在将材料发送到打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "无法将数据上传到打印机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "网络错误" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "您正在尝试连接到 {0},但它不是组中的主机。您可以访问网页,将其配置为组主机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "非组中的主机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 +msgctxt "@action" +msgid "Configure group" +msgstr "配置组" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"未能通过云连接您的打印机 {printer_name}。\n" +"只需将您的打印机连接到 Digital Factory,即可随时随地管理您的打印作业队列并监控您的打印结果" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "是否进行云打印?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "开始" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "了解详情" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +msgctxt "@action:button" +msgid "Print via cloud" +msgstr "通过云打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "通过云打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "通过云连接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +msgctxt "@action:button" +msgid "Monitor print" +msgstr "监控打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +msgctxt "@action:tooltip" +msgid "Track the print in Ultimaker Digital Factory" +msgstr "在 Ultimaker Digital Factory 中跟踪打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "上传打印作业时出现未知错误代码:{0}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "从您的 Ultimaker 帐户中检测到新的打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "正在从您的帐户添加打印机 {name} ({model})" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 +#, python-brace-format +msgctxt "info:{0} gets replaced by a number of printers" +msgid "... and {0} other" +msgid_plural "... and {0} others" +msgstr[0] "... 和另外 {0} 台" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "从 Digital Factory 添加的打印机:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 +msgctxt "info:status" +msgid "A cloud connection is not available for a printer" +msgid_plural "A cloud connection is not available for some printers" +msgstr[0] "某些打印机无云连接可用" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "info:status" +msgid "This printer is not linked to the Digital Factory:" +msgid_plural "These printers are not linked to the Digital Factory:" +msgstr[0] "这些打印机未链接到 Digital Factory:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "要建立连接,请访问 {website_link}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "保留打印机配置" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "删除打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "{printer_name} will be removed until the next account sync." +msgstr "将删除 {printer_name},直到下次帐户同步为止。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "To remove {printer_name} permanently, visit {digital_factory_link}" +msgstr "要永久删除 {printer_name},请访问 {digital_factory_link}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "Are you sure you want to remove {printer_name} temporarily?" +msgstr "是否确实要暂时删除 {printer_name}?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "是否删除打印机?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "组 #{group_nr}" +msgid "" +"You are about to remove {0} printer from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgid_plural "" +"You are about to remove {0} printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr[0] "" +"您即将从 Cura 中删除 {0} 台打印机。此操作无法撤消。\n" +"是否确实要继续?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "外壁" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 +msgctxt "@label" +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr "" +"您即将从 Cura 中删除所有打印机。此操作无法撤消。\n" +"是否确定继续?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "内壁" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "打开压缩三角网格" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "表层" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA 数据资源交换" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "填充" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF 二进制" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "支撑填充" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF 嵌入式 JSON" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "支撑接触面" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "斯坦福三角格式" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "支撑" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "压缩 COLLADA 数据资源交换" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "Skirt" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "突出显示的区域指示缺少或多余的表面。修复模型,并再次在 Cura 中打开。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "装填塔" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "模型错误" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "移动" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "实体视图" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "回抽" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "写入 3mf 文件时出错。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "其它" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "3MF 编写器插件已损坏。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "无法打开版本说明。" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "下一步" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "没有在此处写入工作区的权限。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "跳过" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "操作系统不允许向此位置或用此文件名保存项目文件。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "关闭" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF 文件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura 项目 3MF 文件" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "监控" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "三维模型的助理" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" @@ -777,1529 +1781,1529 @@ msgstr "" "

    找出如何确保最好的打印质量和可靠性.

    \n" "

    查看打印质量指南

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." -msgstr "项目文件 {0} 包含未知机器类型 {1}。无法导入机器。将改为导入模型。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +msgctxt "@label" +msgid "Mesh Type" +msgstr "网格类型" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "打开项目文件" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "正常模式" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "突然无法访问项目文件 {0}{1}。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "打印为支撑" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "无法打开项目文件" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "修改重叠设置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "项目文件 {0} 损坏: {1}。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "不支持重叠" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tag !" -msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." -msgstr "项目文件 {0} 是用此 Ultimaker Cura 版本未识别的配置文件制作的。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "推荐" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "自定义" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF 文件" +msgid "Infill mesh only" +msgstr "仅填充网格" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF 编写器插件已损坏。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "没有在此处写入工作区的权限。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "操作系统不允许向此位置或用此文件名保存项目文件。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "写入 3mf 文件时出错。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF 文件" +msgid "Cutting mesh" +msgstr "切割网格" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura 项目 3MF 文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF 文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "上传您的备份时出错。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "正在创建您的备份..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "创建您的备份时出错。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "正在上传您的备份..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "您的备份已完成上传。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "备份超过了最大文件大小。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "尝试恢复您的备份时出错。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "管理备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 -msgctxt "@message" -msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." -msgstr "发生意外错误,切片失败。请于问题跟踪器上报告错误。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 -msgctxt "@message:title" -msgid "Slicing failed" -msgstr "切片失败" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 -msgctxt "@message:button" -msgid "Report a bug" -msgstr "报告错误" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 -msgctxt "@message:description" -msgid "Report a bug on Ultimaker Cura's issue tracker." -msgstr "在 Ultimaker Cura 问题跟踪器上报告错误。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "无法使用当前材料进行切片,因为该材料与所选机器或配置不兼容。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "无法切片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "无法使用当前设置进行切片。以下设置存在错误:{0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" -msgstr "因部分特定模型设置而无法切片。 以下设置在一个或多个模型上存在错误: {error_labels}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "无法切片(原因:主塔或主位置无效)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "无法切片,因为存在与已禁用挤出机 %s 相关联的对象。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 -msgctxt "@info:status" -msgid "" -"Please review settings and check if your models:\n" -"- Fit within the build volume\n" -"- Are assigned to an enabled extruder\n" -"- Are not all set as modifier meshes" -msgstr "" -"请检查设置并检查您的模型是否:\n" -"- 适合构建体积\n" -"- 分配给了已启用的挤出器\n" -"- 尚未全部设置为修改器网格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "正在处理层" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "信息" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura 配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "无法获取更新信息。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 -#, python-brace-format -msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" -msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "您的 {machine_name} 可能有新功能或错误修复可用!如果打印机上的固件还不是最新版本,建议将其更新为 {latest_version} 版。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s stable firmware available" -msgstr "新 %s 稳定固件可用" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "How to update" -msgstr "如何更新" +msgid "Select settings" +msgstr "选择设置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "选择对此模型的自定义设置" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "筛选..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "显示全部" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura 备份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura 版本" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "机器" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "配置文件" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "插件" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "想要更多?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "立即备份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "自动备份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "在 Cura 每天启动时自动创建备份。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "恢复" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "删除备份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "您确定要删除此备份吗?此操作无法撤销。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "恢复备份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "您需要重新启动 Cura 才能恢复备份。您要立即关闭 Cura 吗?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "备份并同步您的 Cura 设置。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "登录" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "我的备份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "您目前没有任何备份。使用“立即备份”按钮创建一个备份。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "在预览阶段,将限制为 5 个可见备份。移除一个备份以查看更早的备份。" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "打印机设置" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (宽度)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (深度)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (高度)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "打印平台形状" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "置中" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "加热床" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "加热的构建体积" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-code 风格" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "打印头设置" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X 最小值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y 最小值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X 最大值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y 最大值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "十字轴高度" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "挤出机数目" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "将挤出器偏移量应用于 GCode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "开始 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "结束 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "喷嘴设置" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "喷嘴孔径" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "兼容的材料直径" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "喷嘴偏移 X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "喷嘴偏移 Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "冷却风扇数量" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "挤出机的开始 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "挤出机的结束 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "打印机" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" msgid "Update Firmware" msgstr "更新固件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "压缩 G-code 文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "GCodeGzWriter 不支持文本模式。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "GCode 文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "解析 G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-code 详细信息" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "发送文件之前,请确保 G-code 适用于当前打印机和打印机配置。当前 G-code 文件可能不准确。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G 文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "GCodeWriter 不支持非文本模式。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "导出前请先准备 G-code。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG 图像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG 图像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG 图像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP 图像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF 图像" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "打印机设置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "监控" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" -msgid "Per Model Settings" -msgstr "单一模型设置" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "固件是直接在 3D 打印机上运行的一个软件。此固件控制步进电机,调节温度并最终使打印机正常工作。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "设置对每个模型的单独设定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "后期处理" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "修改 G-Code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "准备" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "预览" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "保存至可移动磁盘" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "保存到可移动磁盘 {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "没有可进行写入的文件格式!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "保存到可移动磁盘 {0} " - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "正在保存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "无法保存到 {0}{1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "尝试写入到 {device} 时找不到文件名。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "无法保存到可移动磁盘 {0}:{1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "保存到可移动磁盘 {0} :{1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "文件已保存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "弹出" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "弹出可移动设备 {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "已弹出 {0}。现在,您可以安全地拔出磁盘。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "安全移除硬件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "无法弹出 {0},另一个程序可能正在使用磁盘。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "可移动磁盘" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "启用“单线打印”后,Cura 将无法准确地显示打印层。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "仿真视图" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "由于需要先切片,因此未显示任何内容。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "无层可显示" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "不再显示此消息" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "分层视图" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 -msgctxt "@text" -msgid "Unable to read example data file." -msgstr "无法读取示例数据文件。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "突出显示的区域指示缺少或多余的表面。修复模型,并再次在 Cura 中打开。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "模型错误" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "实体视图" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" -msgid "Support Blocker" -msgstr "支撑拦截器" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "新打印机出厂配备的固件完全可以正常使用,但新版本往往具有更多的新功能和改进。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "创建一个不打印支撑的体积。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "是否要与您的帐户同步材料和软件包?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "检测到您的 Ultimaker 帐户有更改" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" -msgid "Sync" -msgstr "同步" +msgid "Automatically upgrade Firmware" +msgstr "自动升级固件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "正在同步..." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "上传自定义固件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "拒绝" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "未连接打印机,无法更新固件。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "同意" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "与打印机间的连接不支持固件更新,因此无法更新固件。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "插件许可协议" +msgid "Select custom firmware" +msgstr "选择自定义固件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "拒绝并从帐户中删除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "需要退出并重新启动 {},然后更改才能生效。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "{} 个插件下载失败" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "打开压缩三角网格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 -msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA 数据资源交换" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF 二进制" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF 嵌入式 JSON" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "斯坦福三角格式" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "压缩 COLLADA 数据资源交换" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker 格式包" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "无法写入到 UFP 文件:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "调平打印平台" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "选择升级" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "通过云打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "通过云打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "通过云连接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 -msgctxt "@action:button" -msgid "Monitor print" -msgstr "监控打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 -msgctxt "@action:tooltip" -msgid "Track the print in Ultimaker Digital Factory" -msgstr "在 Ultimaker Digital Factory 中跟踪打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "上传打印作业时出现未知错误代码:{0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "从您的 Ultimaker 帐户中检测到新的打印机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "正在从您的帐户添加打印机 {name} ({model})" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 -#, python-brace-format -msgctxt "info:{0} gets replaced by a number of printers" -msgid "... and {0} other" -msgid_plural "... and {0} others" -msgstr[0] "... 和另外 {0} 台" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "从 Digital Factory 添加的打印机:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 -msgctxt "info:status" -msgid "A cloud connection is not available for a printer" -msgid_plural "A cloud connection is not available for some printers" -msgstr[0] "某些打印机无云连接可用" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 -msgctxt "info:status" -msgid "This printer is not linked to the Digital Factory:" -msgid_plural "These printers are not linked to the Digital Factory:" -msgstr[0] "这些打印机未链接到 Digital Factory:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "要建立连接,请访问 {website_link}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "保留打印机配置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "删除打印机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "{printer_name} will be removed until the next account sync." -msgstr "将删除 {printer_name},直到下次帐户同步为止。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "To remove {printer_name} permanently, visit {digital_factory_link}" -msgstr "要永久删除 {printer_name},请访问 {digital_factory_link}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "Are you sure you want to remove {printer_name} temporarily?" -msgstr "是否确实要暂时删除 {printer_name}?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" -msgid "Remove printers?" -msgstr "是否删除打印机?" +msgid "Firmware Update" +msgstr "固件升级" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" -msgid "" -"You are about to remove {0} printer from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgid_plural "" -"You are about to remove {0} printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr[0] "" -"您即将从 Cura 中删除 {0} 台打印机。此操作无法撤消。\n" -"是否确实要继续?" +msgid "Updating firmware." +msgstr "更新固件中..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" -msgid "" -"You are about to remove all printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr "" -"您即将从 Cura 中删除所有打印机。此操作无法撤消。\n" -"是否确定继续?" +msgid "Firmware update completed." +msgstr "固件更新已完成。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "未能通过云连接您的打印机 {printer_name}。\n只需将您的打印机连接到 Digital Factory,即可随时随地管理您的打印作业队列并监控您的打印结果" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "是否进行云打印?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "开始" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "了解详情" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "您正在尝试连接未运行 Ultimaker Connect 的打印机。请将打印机更新至最新固件。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "请更新升级打印机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura 已检测到材料配置文件尚未安装到组 {0} 中的主机打印机上。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "正在将材料发送到打印机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "您正在尝试连接到 {0},但它不是组中的主机。您可以访问网页,将其配置为组主机。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "非组中的主机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "配置组" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "请等待当前作业完成发送。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "打印错误" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "无法将数据上传到打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "网络错误" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "发送打印作业" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "正在将打印作业上传至打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "打印作业队列已满。打印机无法接受新作业。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "队列已满" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "打印作业已成功发送到打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "数据已发送" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "通过网络打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "通过网络打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "已通过网络连接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "通过网络连接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "明天" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "今天" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB 联机打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "通过 USB 联机打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "通过 USB 联机打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "通过 USB 连接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "正在进行 USB 打印,关闭 Cura 将停止此打印。您确定吗?" +msgid "Firmware update failed due to an unknown error." +msgstr "由于未知错误,固件更新失败。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "正在进行打印在上一次打印完成之前,Cura 无法通过 USB 启动另一次打印。" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "由于通信错误,导致固件升级失败。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "正在进行打印" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "由于输入/输出错误,导致固件升级失败。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D 文件" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "由于固件丢失,导致固件升级失败。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "透视视图" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "此次打印可能出现了某些问题。点击查看调整提示。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "打开项目" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "更新已有配置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "新建" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "摘要 - Cura 项目" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "打印机设置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "机器的设置冲突应如何解决?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "类型" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "打印机组" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "配置文件设置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "配置文件中的冲突如何解决?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "名字" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "Intent" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "不在配置文件中" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 重写" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "衍生自" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 重写" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "材料设置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "材料的设置冲突应如何解决?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "设置可见性" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "模式" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "可见设置:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 / %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "加载项目将清除打印平台上的所有模型。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "打开" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "想要更多?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "立即备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "自动备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "在 Cura 每天启动时自动创建备份。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "恢复" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "删除备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "您确定要删除此备份吗?此操作无法撤销。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "恢复备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "您需要重新启动 Cura 才能恢复备份。您要立即关闭 Cura 吗?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura 版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "机器" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "插件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura 备份" +msgid "Post Processing Plugin" +msgstr "后期处理插件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "我的备份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "您目前没有任何备份。使用“立即备份”按钮创建一个备份。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "在预览阶段,将限制为 5 个可见备份。移除一个备份以查看更早的备份。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "备份并同步您的 Cura 设置。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "登录" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "更新固件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "固件是直接在 3D 打印机上运行的一个软件。此固件控制步进电机,调节温度并最终使打印机正常工作。" +msgid "Post Processing Scripts" +msgstr "后期处理脚本" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "添加一个脚本" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "新打印机出厂配备的固件完全可以正常使用,但新版本往往具有更多的新功能和改进。" +msgid "Settings" +msgstr "设置" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "自动升级固件" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "更改处于活动状态的后期处理脚本。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "上传自定义固件" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "以下脚本处于活动状态:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "未连接打印机,无法更新固件。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "与打印机间的连接不支持固件更新,因此无法更新固件。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "选择自定义固件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "固件升级" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "更新固件中..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "固件更新已完成。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "由于未知错误,固件更新失败。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "由于通信错误,导致固件升级失败。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "由于输入/输出错误,导致固件升级失败。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "由于固件丢失,导致固件升级失败。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "转换图像..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "每个像素与底板的最大距离" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "高度 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "距离打印平台的底板高度,以毫米为单位。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "底板 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "打印平台宽度,以毫米为单位。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "宽度 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "打印平台深度,以毫米为单位" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "深度 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "在影像浮雕中,为了阻挡更多光源通过,深色像素应对应于较厚的位置。在高度图中,浅色像素代表着更高的地形,因此浅色像素对应于生成的 3D 模型中较厚的位置。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "颜色越深厚度越大" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "颜色越浅厚度越大" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "对于隐雕,提供一个用于半透明的简单对数模型。对于高度图,像素值与高度线性对应。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "线性" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "半透明" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "穿透 1 毫米厚的打印件的光线百分比。降低此值将增大图像暗区中的对比度并减小图像亮区中的对比度。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1 毫米透射率 (%)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "要应用到图像的平滑量。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "平滑" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "确定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "请选择适用于 Ultimaker Original 的升级文件" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "热床(官方版本或自制)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "打印平台调平" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "为了确保打印质量出色,您现在可以开始调整您的打印平台。当您点击「移动到下一个位置」时,喷嘴将移动到可以调节的不同位置。" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "在打印头停止的每一个位置下方插入一张纸,并调整平台高度。当纸张恰好被喷嘴的尖端轻微压住时,此时打印平台的高度已被正确校准。" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "开始进行打印平台调平" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "移动到下一个位置" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "更多关于匿名数据收集的信息" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "为了改善打印质量和用户体验,Ultimaker Cura 会收集匿名数据。以下是所有数据分享的示例:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "我不想发送匿名数据" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "允许发送匿名数据" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "市场" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "在包装更改生效之前,您需要重新启动Cura。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "退出 %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "安装" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "已安装" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "高级" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "前往网上市场" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "搜索材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "兼容性" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "机器" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "打印平台" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "支持" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "质量" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "技术数据表" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "安全数据表" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "打印指南" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "网站" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "安装或更新需要登录" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "购买材料线轴" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "背部" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "打印机" +msgid "Plugins" +msgstr "插件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "喷嘴设置" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "材料" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "安装" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "喷嘴孔径" +msgid "Will install upon restarting" +msgstr "将安装后重新启动" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "更新需要登录" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "降级" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "卸载" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "社区贡献" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "兼容的材料直径" +msgid "Community Plugins" +msgstr "社区插件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "喷嘴偏移 X" +msgid "Generic Materials" +msgstr "通用材料" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "获取包..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "喷嘴偏移 Y" +msgid "Website" +msgstr "网站" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "冷却风扇数量" +msgid "Email" +msgstr "电子邮件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "挤出机的开始 G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "请登录以获取经验证适用于 Ultimaker Cura Enterprise 的插件和材料" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "挤出机的结束 G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "打印机设置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (宽度)" +msgid "Version" +msgstr "版本" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (深度)" +msgid "Last updated" +msgstr "更新日期" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (高度)" +msgid "Brand" +msgstr "品牌" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "打印平台形状" +msgid "Downloads" +msgstr "下载项" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "已安装的插件" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "尚未安装任何插件。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "已安装的材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "尚未安装任何材料。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "已捆绑的插件" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "已捆绑的材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "无法连接到Cura包数据库。请检查您的连接。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "置中" +msgid "You need to accept the license to install the package" +msgstr "需要接受许可证才能安装该程序包" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "您的帐户有更改" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "解除" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "下一步" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "加热床" +msgid "The following packages will be added:" +msgstr "将添加以下程序包:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "加热的构建体积" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "由于 Cura 版本不兼容,无法安装以下程序包:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "确认卸载" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "您正在卸载仍在使用的材料和/或配置文件。确认会将以下材料/配置文件重置为默认值。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "配置文件" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "确认" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "G-code 风格" +msgid "Color scheme" +msgstr "颜色方案" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "打印头设置" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "材料颜色" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "走线类型" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "速度" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "层厚度" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "走线宽度" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "流量" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X 最小值" +msgid "Compatibility Mode" +msgstr "兼容模式" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y 最小值" +msgid "Travels" +msgstr "空驶" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X 最大值" +msgid "Helpers" +msgstr "打印辅助结构" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y 最大值" +msgid "Shell" +msgstr "外壳" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "十字轴高度" +msgid "Infill" +msgstr "填充" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "挤出机数目" +msgid "Starts" +msgstr "开始" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "将挤出器偏移量应用于 GCode" +msgid "Only Show Top Layers" +msgstr "只显示顶层" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "开始 G-code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "在顶部显示 5 层打印细节" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "结束 G-code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "顶 / 底层" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "内壁" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "最小" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "最大" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "管理打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "玻璃" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "请及时更新打印机固件以远程管理打印队列。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "无法从 Ultimaker Cura 中查看云打印机的网络摄像头馈送。请单击“管理打印机”以访问 Ultimaker Digital Factory 并查看此网络摄像头。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "正在加载..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "不可用" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "无法连接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "空闲" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "正在准备..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "未命名" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "匿名" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "需要更改配置" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "详细信息" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "不可用的打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "第一个可用" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "已排队" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "请于浏览器中进行管理" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "队列中无打印任务。可通过切片和发送添加任务。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "打印作业" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "总打印时间" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "等待" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "通过网络打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "打印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "打印机选择" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "配置更改" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "覆盖" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "分配的打印机 %1 需要以下配置更改:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "已向打印机 %1 分配作业,但作业包含未知的材料配置。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "将材料 %1 从 %2 更改为 %3。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "将 %3 作为材料 %1 进行加载(此操作无法覆盖)。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "将 Print Core %1 从 %2 更改为 %3。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "将打印平台更改为 %1(此操作无法覆盖)。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "覆盖将使用包含现有打印机配置的指定设置。这可能会导致打印失败。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "铝" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "已完成" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "正在中止..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "已中止" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "正在暂停..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "已暂停" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "正在恢复..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "需要采取行动" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "完成 %1 于 %2" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "连接到网络打印机" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "欲通过网络向打印机发送打印请求,请确保您的打印机已通过网线或 WIFI 连接至网络。若不能连接 Cura 与打印机,亦可通过使用 USB 设备将 G-code 文件传输到打印机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "请从以下列表中选择您的打印机:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "编辑" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "删除" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "刷新" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "如果您的打印机未列出,请阅读网络打印故障排除指南" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "类型" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "固件版本" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "地址" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "这台打印机未设置为运行一组打印机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "这台打印机是一组共 %1 台打印机的主机。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "该网络地址的打印机尚未响应。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "连接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "IP 地址无效" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "请输入有效的 IP 地址。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "打印机网络地址" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "请输入打印机在网络上的 IP 地址。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "移至顶部" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "删除" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "恢复" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "正在暂停..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "正在恢复..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "暂停" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "正在中止..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "中止" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "您确定要将 %1 移至队列顶部吗?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "将打印作业移至顶部" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "您确定要删除 %1 吗?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "删除打印作业" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "您确定要中止 %1 吗?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "中止打印" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2312,1486 +3316,435 @@ msgstr "" "- 检查打印机是否连接至网络。\n" "- 检查您是否已登录查找云连接的打印机。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "请将打印机连接到网络。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "查看联机用户手册" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "为了从 Cura 监控您的打印,请连接打印机。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "网格类型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "正常模式" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "打印为支撑" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "修改重叠设置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "不支持重叠" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "仅填充网格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "切割网格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "选择设置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "选择对此模型的自定义设置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "筛选..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "显示全部" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "后期处理插件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "后期处理脚本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "添加一个脚本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "设置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "更改处于活动状态的后期处理脚本。" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "此次打印可能出现了某些问题。点击查看调整提示。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "以下脚本处于活动状态:" +msgid "3D View" +msgstr "3D 视图" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "颜色方案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "材料颜色" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "走线类型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "速度" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "层厚度" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "走线宽度" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "流量" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "兼容模式" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "空驶" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "打印辅助结构" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "外壳" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "填充" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "开始" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "只显示顶层" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "在顶部显示 5 层打印细节" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "顶 / 底层" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "内壁" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "最小" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "最大" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "更多关于匿名数据收集的信息" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "为了改善打印质量和用户体验,Ultimaker Cura 会收集匿名数据。以下是所有数据分享的示例:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "我不想发送匿名数据" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "允许发送匿名数据" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "背部" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "兼容性" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "机器" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "打印平台" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "支持" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "质量" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "技术数据表" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "安全数据表" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "打印指南" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "网站" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "已安装" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "安装或更新需要登录" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "购买材料线轴" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "高级" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "前往网上市场" +msgid "Front View" +msgstr "正视图" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "顶视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "左视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "右视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "搜索材料" +msgid "Object list" +msgstr "对象列表" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "在包装更改生效之前,您需要重新启动Cura。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "退出 %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "插件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "安装" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "将安装后重新启动" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "更新需要登录" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "降级" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "卸载" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "安装" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "您的帐户有更改" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "解除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "下一步" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "将添加以下程序包:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "由于 Cura 版本不兼容,无法安装以下程序包:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "确认卸载" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "您正在卸载仍在使用的材料和/或配置文件。确认会将以下材料/配置文件重置为默认值。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "确认" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "需要接受许可证才能安装该程序包" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "网站" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "电子邮件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "更新日期" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "品牌" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "下载项" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "社区贡献" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "社区插件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "通用材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "无法连接到Cura包数据库。请检查您的连接。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "已安装的插件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "尚未安装任何插件。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "已安装的材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "尚未安装任何材料。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "已捆绑的插件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "已捆绑的材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "获取包..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "请登录以获取经验证适用于 Ultimaker Cura Enterprise 的插件和材料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "市场" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "打印平台调平" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "文件(&F)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "为了确保打印质量出色,您现在可以开始调整您的打印平台。当您点击「移动到下一个位置」时,喷嘴将移动到可以调节的不同位置。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "编辑(&E)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "在打印头停止的每一个位置下方插入一张纸,并调整平台高度。当纸张恰好被喷嘴的尖端轻微压住时,此时打印平台的高度已被正确校准。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "视图(&V)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "开始进行打印平台调平" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "设置(&S)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "移动到下一个位置" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "扩展(&X)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "请选择适用于 Ultimaker Original 的升级文件" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "偏好设置(&R)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "热床(官方版本或自制)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "帮助(&H)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "连接到网络打印机" +msgid "New project" +msgstr "新建项目" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "欲通过网络向打印机发送打印请求,请确保您的打印机已通过网线或 WIFI 连接至网络。若不能连接 Cura 与打印机,亦可通过使用 USB 设备将 G-code 文件传输到打印机。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "你确定要开始一个新项目吗?这将清除打印平台及任何未保存的设置。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "请从以下列表中选择您的打印机:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "编辑" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "删除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "刷新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "如果您的打印机未列出,请阅读网络打印故障排除指南" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "类型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "固件版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "地址" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "这台打印机未设置为运行一组打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "这台打印机是一组共 %1 台打印机的主机。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "该网络地址的打印机尚未响应。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "连接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "IP 地址无效" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "请输入有效的 IP 地址。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "打印机网络地址" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "请输入打印机在网络上的 IP 地址。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "配置更改" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "覆盖" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "分配的打印机 %1 需要以下配置更改:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "已向打印机 %1 分配作业,但作业包含未知的材料配置。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "将材料 %1 从 %2 更改为 %3。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "将 %3 作为材料 %1 进行加载(此操作无法覆盖)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "将 Print Core %1 从 %2 更改为 %3。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "将打印平台更改为 %1(此操作无法覆盖)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "覆盖将使用包含现有打印机配置的指定设置。这可能会导致打印失败。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "玻璃" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "铝" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "移至顶部" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "删除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "恢复" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "正在暂停..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "正在恢复..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "暂停" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "正在中止..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "中止" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "您确定要将 %1 移至队列顶部吗?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "将打印作业移至顶部" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "您确定要删除 %1 吗?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "删除打印作业" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "您确定要中止 %1 吗?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "中止打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "管理打印机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "请及时更新打印机固件以远程管理打印队列。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "无法从 Ultimaker Cura 中查看云打印机的网络摄像头馈送。请单击“管理打印机”以访问 Ultimaker Digital Factory 并查看此网络摄像头。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "正在加载..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "不可用" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "无法连接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "空闲" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "正在准备..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "未命名" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "匿名" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "需要更改配置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "详细信息" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "不可用的打印机" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "第一个可用" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "已中止" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "已完成" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "正在中止..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "正在暂停..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "已暂停" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "正在恢复..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "需要采取行动" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "完成 %1 于 %2" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "已排队" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "请于浏览器中进行管理" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "队列中无打印任务。可通过切片和发送添加任务。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "打印作业" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "总打印时间" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "等待" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "通过网络打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "打印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "打印机选择" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "登录" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "登录 Ultimaker 平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- 从 Marketplace 添加材料配置文件和插件\n" -"- 备份和同步材料配置文件和插件\n" -"- 在 Ultimaker 社区分享观点并获取 48,000 多名用户的帮助" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "创建免费的 Ultimaker 帐户" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "正在检查..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "帐户已同步" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "发生了错误..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "安装挂起的更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "检查是否存在帐户更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "上次更新时间:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker 帐户" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "注销" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "无可用时间估计" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "无可用成本估计" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "预览" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "预计时间" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "预计材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "正在切片..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "无法切片" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "正在处理中" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "切片" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "开始切片流程" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "取消" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "显示联机故障排除指南" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "切换完整界面" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "退出完整界面" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "撤销(&U)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "重做(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "退出(&Q)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "3D 视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "正视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "顶视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "仰视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "左视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "右视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "配置 Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "新增打印机(&A)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "管理打印机(&I)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "管理材料..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "从市场添加更多材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "使用当前设置 / 重写值更新配置文件(&U)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "舍弃当前更改(&D)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "从当前设置 / 重写值创建配置文件(&C)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "管理配置文件.." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "显示在线文档(&D)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "BUG 反馈(&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "新增功能" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "关于..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "删除所选项" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "居中所选项" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "复制所选项" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "删除模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "使模型居于平台中央(&N)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "绑定模型(&G)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "拆分模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "合并模型(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "复制模型…(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "选择所有模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "清空打印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "重新载入所有模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "将所有模型编位到所有打印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "编位所有的模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "为所选模型编位" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "复位所有模型的位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "复位所有模型的变动" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "打开文件(&O)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "新建项目(&N)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "显示配置文件夹" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "配置设定可见性..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "市场(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "我的打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "在 Ultimaker Digital Factory 中监控打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "在 Digital Library 中创建打印项目。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "打印作业" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "监控打印作业并从打印历史记录重新打印。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "用插件和材料配置文件扩展 Ultimaker Cura。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "通过 Ultimaker 线上课程教学,成为 3D 打印专家。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ultimaker 支持" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "了解如何开始使用 Ultimaker Cura。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "提问" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "咨询 Ultimaker 社区。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "报告错误" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "向开发人员报错。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "访问 Ultimaker 网站。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "这个包将在重新启动后安装。" +msgid "Time estimation" +msgstr "预计时间" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "基本" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "预计材料" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "设置" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "打印机" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "配置文件" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "无可用时间估计" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "正在关闭 %1" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "无可用成本估计" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "您确定要退出 %1 吗?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "预览" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "打开文件" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" +msgstr "添加打印机" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "安装包" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "添加已联网打印机" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "打开文件" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "添加未联网打印机" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "我们已经在您选择的文件中找到一个或多个 G-Code 文件。您一次只能打开一个 G-Code 文件。若需打开 G-Code 文件,请仅选择一个。" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "添加云打印机" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" -msgstr "新增打印机" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "等待云响应" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "在您的帐户中未找到任何打印机?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "您帐户中的以下打印机已添加到 Cura 中:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "手动添加打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "按 IP 地址添加打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "输入您打印机的 IP 地址。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "添加" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "无法连接到设备。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "无法连接到 Ultimaker 打印机?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "该网络地址的打印机尚未响应。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "由于是未知打印机或不是组内主机,无法添加该打印机。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "返回" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "连接" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "用户协议" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "拒绝并关闭" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "欢迎使用 Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "" +"请按照以下步骤设置\n" +"Ultimaker Cura。此操作只需要几分钟时间。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "开始" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "登录 Ultimaker 平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "从 Marketplace 添加材料设置和插件" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "备份和同步材料设置和插件" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "在 Ultimaker 社区分享观点并获取 48,000 多名用户的帮助" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "跳过" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "创建免费的 Ultimaker 帐户" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "制造商" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "配置文件作者" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "打印机名称" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "请为您的打印机命名" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "未找到网络内打印机。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "刷新" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "按 IP 添加打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "添加云打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "故障排除" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "帮助我们改进 Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "为了改善打印质量和用户体验,Ultimaker Cura 会收集匿名数据,这些数据包括:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "机器类型" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "材料使用" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "切片数量" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "打印设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Ultimaker Cura 收集的数据不会包含任何个人信息。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "更多信息" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "新增功能" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "空" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "版本说明" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "关于 %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "版本: %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "熔丝 3D 打印技术的的端对端解决方案。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3800,183 +3753,204 @@ msgstr "" "Cura 由 Ultimaker B.V. 与社区合作开发。\n" "Cura 使用以下开源项目:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "图形用户界面" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "应用框架" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-code 生成器" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "进程间通信交互使用库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "编程语言" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI 框架" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI 框架绑定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C / C++ 绑定库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "数据交换格式" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "科学计算支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "高速运算支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "用于处理 STL 文件的支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "用于处理平面对象的支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "用于处理三角网格的支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "用于处理 3MF 文件的支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "用于文件元数据和流媒体的支持库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "串口通讯库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf 发现库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "多边形剪辑库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "适用于 Python 的静态类型检查器" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "用于验证 SSL 可信度的根证书" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Python 错误跟踪库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "Prusa Research 开发的多边形打包库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "libnest2d 的 Python 绑定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "支持系统密钥环访问库" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "适用于 Microsoft Windows 的 Python 扩展" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "字体" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG 图标" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux 交叉分布应用程序部署" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "打开项目文件" +msgid "Open file(s)" +msgstr "打开文件" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "这是一个 Cura 项目文件。您想将其作为一个项目打开还是从中导入模型?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "我们已经在您所选择的文件中找到一个或多个项目文件,但一次只能打开一个项目文件。我们建议只从那些文件中导入模型而不打开项目。您要继续操作吗?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "记住我的选择" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "作为项目打开" +msgid "Import all as models" +msgstr "导入所有模型" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "保存项目" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "挤出机 %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & 材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "保存时不再显示项目摘要" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "导入模型" +msgid "Save" +msgstr "保存" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "舍弃或保留更改" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3987,1247 +3961,144 @@ msgstr "" "是否要在切换配置文件后保留这些更改的设置?\n" "或者,也可舍弃更改以从“%1”加载默认值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "配置文件设置" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "当前更改" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "总是询问" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "舍弃更改,并不再询问此问题" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "保留更改,并不再询问此问题" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "舍弃更改" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "保留更改" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "打开项目文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "我们已经在您所选择的文件中找到一个或多个项目文件,但一次只能打开一个项目文件。我们建议只从那些文件中导入模型而不打开项目。您要继续操作吗?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "这是一个 Cura 项目文件。您想将其作为一个项目打开还是从中导入模型?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "记住我的选择" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "导入所有模型" +msgid "Open as project" +msgstr "作为项目打开" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "保存项目" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "挤出机 %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & 材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "保存时不再显示项目摘要" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "保存" +msgid "Import models" +msgstr "导入模型" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "用 %1 打印所选模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "未命名" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "文件(&F)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "编辑(&E)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "视图(&V)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "设置(&S)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "扩展(&X)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "偏好设置(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "帮助(&H)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "新建项目" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "你确定要开始一个新项目吗?这将清除打印平台及任何未保存的设置。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "市场" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "配置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "此配置不可用,因为 %1 未被识别。请访问 %2 以下载正确的材料配置文件。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "市场" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "正在从打印机加载可用配置..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "该配置不可用,因为打印机已断开连接。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "选择配置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "配置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "自定义" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "已启用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "用胶粘和此材料组合以产生更好的附着。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "打印所选模型:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "复制所选模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "复制个数" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "保存项目(&S)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "导出(&E)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "导出选择..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "收藏" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "通用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "打开文件..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "网络打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "本地打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "打开最近使用过的文件(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "保存项目..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "打印机(&P)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "材料(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "设为主要挤出机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "启用挤出机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "禁用挤出机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "可见设置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "折叠所有类别" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "管理设置可见性..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "摄像头位置(&C)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "摄像头视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "透视" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "正交" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "打印平台(&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "未连接至打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "打印机不接受命令" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "维护中。请检查打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "与打印机的连接中断" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "打印中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "已暂停" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "初始化中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "请取出打印件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "中止打印" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "您确定要中止打印吗?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "打印为支撑。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "修改了与此模型重叠的其他模型。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "修改了与该模型重叠的填充。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "不支持与此模型重叠。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "覆盖 %1 设置。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "对象列表" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "接口" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "币种:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "主题:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "需重新启动 Cura,新的设置才能生效。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "当设置被更改时自动进行切片。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "自动切片" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "视区行为" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "以红色突出显示模型需要增加支撑结构的区域。没有支撑,这些区域将无法正确打印。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "显示悬垂(Overhang)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "使用警告标志突出显示模型缺少或多余的表面。刀具路径常常是要打印的几何结构缺少的部分。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "显示模型错误" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "当模型被选中时,视角将自动调整到最合适的观察位置(模型处于正中央)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "当项目被选中时,自动对中视角" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "需要令 Cura 的默认缩放操作反转吗?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "反转视角变焦方向。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "是否跟随鼠标方向进行缩放?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "正交透视不支持通过鼠标进行缩放。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "跟随鼠标方向缩放" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "需要移动平台上的模型,使它们不再相交吗?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "确保每个模型都保持分离" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "需要转动模型,使它们接触打印平台吗?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "自动下降模型到打印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "在 G-code 读取器中显示警告信息。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-code 读取器中的警告信息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "层视图要强制进入兼容模式吗?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "强制层视图兼容模式(需要重新启动)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Cura 是否应该在关闭的位置打开?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "恢复初始窗口位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "应使用哪种类型的摄像头进行渲染?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "摄像头渲染:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "透视" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "正交" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "打开并保存文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "应从桌面打开文件还是在同一 Cura 实例中打开外部应用程序?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "使用单个 Cura 实例" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "是否应在清理构建板后再将新模型加载到单个 Cura 实例中?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "在清理构建板后再将模型加载到单个实例中" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "当模型的尺寸过大时,是否将模型自动缩小至成形空间体积?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "缩小过大模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "当模型以米而不是毫米为单位时,模型可能会在打印平台中显得非常小。在此情况下是否进行放大?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "放大过小模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "模型是否应该在加载后被选中?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "选择模型时加载" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "打印机名是否自动作为打印作业名称的前缀?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "将机器前缀添加到作业名称中" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "保存项目文件时是否显示摘要?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "保存项目时显示摘要对话框" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "打开项目文件时的默认行为" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "打开项目文件时的默认行为: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "总是询问" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "始终作为一个项目打开" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "始终导入模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "当您对配置文件进行更改并切换到其他配置文件时将显示一个对话框,询问您是否要保留修改。您也可以选择一个默认行为并令其不再显示该对话框。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "切换到不同配置文件时对设置值更改的默认操作: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "总是舍失更改的设置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "总是将更改的设置传输至新配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "隐私" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "您愿意将关于您的打印数据以匿名形式发送到 Ultimaker 吗?注意:我们不会记录/发送任何模型、IP 地址或其他私人数据。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(匿名)发送打印信息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "详细信息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "当 Cura 启动时,是否自动检查更新?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "启动时检查更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "在检查更新时,只检查稳定版。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "仅限稳定版" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "在检查更新时,同时检查稳定版和测试版。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "稳定版和测试版" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "是否应在每次启动 Cura 时自动检查新插件?强烈建议您不要禁用此功能!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "获取插件更新通知" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "激活" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "重命名" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "创建" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "复制" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "导入" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "导出" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "与打印机同步" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "确认删除" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "您确认要删除 %1?该操作无法恢复!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "导入配置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "无法导入材料 %1%2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "成功导入材料 %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "导出材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "无法导出材料至 %1%2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "成功导出材料至: %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "导出所有材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "信息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "确认直径更改" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "新的灯丝直径被设置为%1毫米,这与当前的挤出机不兼容。你想继续吗?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "显示名称" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "材料类型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "颜色" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "属性" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "密度" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "直径" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "耗材成本" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "耗材重量" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "耗材长度" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "每米成本" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "此材料与 %1 相关联,并共享其某些属性。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "解绑材料" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "描述" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "粘附信息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "打印设置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "创建" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "复制" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "创建配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "请为此配置文件提供名称。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "复制配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "重命名配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "导入配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "导出配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "打印机:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "使用当前设置 / 重写值更新配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "舍弃当前更改" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "此配置文件使用打印机指定的默认值,因此在下面的列表中没有此设置项。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "您当前的设置与选定的配置文件相匹配。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "全局设置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "已计算" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "设置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "配置文件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "当前" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "单位" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "设置可见性" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "全部勾选" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "挤出机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "热端的目标温度。 热端将加热或冷却至此温度。 如果目标温度为 0,则热端加热将关闭。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "该热端的当前温度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "热端的预热温度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "取消" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "预热" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "打印前请预热热端。您可以在热端加热时继续调整打印机,而不必等待热端加热完毕再做好打印准备。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "该挤出机中材料的颜色。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "该挤出机中的材料。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "该挤出机所使用的喷嘴。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "打印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "热床的目标温度。热床将加热或冷却至此温度。若设置为 0,则不使用热床。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "热床当前温度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "热床的预热温度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "打印前请预热热床。您可以在热床加热时继续调整相关项,让您在准备打印时不必等待热床加热完毕。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "打印机控制" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "垛齐位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "垛齐距离" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "发送 G-code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "向连接的打印机发送自定义 G-code 命令。按“Enter”发送命令。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "尚未连接到打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "云打印机离线。请检查打印机是否已开启并连接到 Internet。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "此打印机未链接到您的帐户。请访问 Ultimaker Digital Factory 以建立连接。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "云连接当前不可用。请登录以连接到云打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "云连接当前不可用。请检查您的 Internet 连接。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "添加打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "管理打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "已连接的打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "预设打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "正在打印" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "作业名" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "打印时间" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "预计剩余时间" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "云打印机离线。请检查打印机是否已开启并连接到 Internet。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "此打印机未链接到您的帐户。请访问 Ultimaker Digital Factory 以建立连接。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "云连接当前不可用。请登录以连接到云打印机。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "云连接当前不可用。请检查您的 Internet 连接。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "添加打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "管理打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "已连接的打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "预设打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "打印设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "打印设置已禁用。无法修改 G code 文件。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "配置文件" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5238,119 +4109,1698 @@ msgstr "" "\n" "点击打开配置文件管理器。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "自定义配置文件" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "舍弃当前更改" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "推荐" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "自定义" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "开" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "关" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "实验性" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "没有 %1 配置文件可用于挤出器 %2 中的配置。将改为使用默认意图" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "打印设置已禁用。无法修改 G code 文件。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "推荐" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "自定义" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "开" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "关" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "实验性" +msgid "Profiles" +msgstr "配置文件" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "附着" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "允许打印 Brim 或 Raft。这将在您的对象周围或下方添加一个容易切断的平面区域。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "渐层填充" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "渐层填充(Gradual infill)将随着打印高度的提升而逐渐加大填充密度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "您已修改部分配置文件设置。 如果您想对其进行更改,请转至自定义模式。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "支持" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "在模型的悬垂(Overhangs)部分生成支撑结构。若不这样做,这些部分在打印时将倒塌。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"一些隐藏设置正在使用有别于一般设置的计算值。\n" -"\n" -"单击以使这些设置可见。" +msgid "Gradual infill" +msgstr "渐层填充" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "渐层填充(Gradual infill)将随着打印高度的提升而逐渐加大填充密度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "附着" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "允许打印 Brim 或 Raft。这将在您的对象周围或下方添加一个容易切断的平面区域。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "保存项目..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "网络打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "本地打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "收藏" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "通用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "打印所选模型:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "复制所选模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "复制个数" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "保存项目(&S)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "导出(&E)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "导出选择..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "配置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "自定义" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "已启用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "用胶粘和此材料组合以产生更好的附着。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "选择配置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "配置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "正在从打印机加载可用配置..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "该配置不可用,因为打印机已断开连接。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "此配置不可用,因为 %1 未被识别。请访问 %2 以下载正确的材料配置文件。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "市场" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "打开文件..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "打印机(&P)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "材料(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "设为主要挤出机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "启用挤出机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "禁用挤出机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "打开最近使用过的文件(&R)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "可见设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "折叠所有类别" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "管理设置可见性..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "摄像头位置(&C)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "摄像头视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "透视" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "正交" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "打印平台(&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "查看类型" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "打印为支撑。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "修改了与此模型重叠的其他模型。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "修改了与该模型重叠的填充。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "不支持与此模型重叠。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "覆盖 %1 设置。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "激活" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "创建" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "复制" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "重命名" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "导入" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "导出" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "创建配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "请为此配置文件提供名称。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "复制配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "确认删除" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "您确认要删除 %1?该操作无法恢复!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "重命名配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "导入配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "导出配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "打印机:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "使用当前设置 / 重写值更新配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "此配置文件使用打印机指定的默认值,因此在下面的列表中没有此设置项。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "您当前的设置与选定的配置文件相匹配。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "全局设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "基本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "接口" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "币种:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "主题:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "需重新启动 Cura,新的设置才能生效。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "当设置被更改时自动进行切片。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "自动切片" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "视区行为" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "以红色突出显示模型需要增加支撑结构的区域。没有支撑,这些区域将无法正确打印。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "显示悬垂(Overhang)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "使用警告标志突出显示模型缺少或多余的表面。刀具路径常常是要打印的几何结构缺少的部分。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "显示模型错误" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "当模型被选中时,视角将自动调整到最合适的观察位置(模型处于正中央)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "当项目被选中时,自动对中视角" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "需要令 Cura 的默认缩放操作反转吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "反转视角变焦方向。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "是否跟随鼠标方向进行缩放?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "正交透视不支持通过鼠标进行缩放。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "跟随鼠标方向缩放" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "需要移动平台上的模型,使它们不再相交吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "确保每个模型都保持分离" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "需要转动模型,使它们接触打印平台吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "自动下降模型到打印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "在 G-code 读取器中显示警告信息。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-code 读取器中的警告信息" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "层视图要强制进入兼容模式吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "强制层视图兼容模式(需要重新启动)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Cura 是否应该在关闭的位置打开?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "恢复初始窗口位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "应使用哪种类型的摄像头进行渲染?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "摄像头渲染:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "透视" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "正交" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "打开并保存文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "应从桌面打开文件还是在同一 Cura 实例中打开外部应用程序?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "使用单个 Cura 实例" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "是否应在清理构建板后再将新模型加载到单个 Cura 实例中?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "在清理构建板后再将模型加载到单个实例中" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "当模型的尺寸过大时,是否将模型自动缩小至成形空间体积?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "缩小过大模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "当模型以米而不是毫米为单位时,模型可能会在打印平台中显得非常小。在此情况下是否进行放大?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "放大过小模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "模型是否应该在加载后被选中?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "选择模型时加载" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "打印机名是否自动作为打印作业名称的前缀?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "将机器前缀添加到作业名称中" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "保存项目文件时是否显示摘要?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "保存项目时显示摘要对话框" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "打开项目文件时的默认行为" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "打开项目文件时的默认行为: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "总是询问" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "始终作为一个项目打开" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "始终导入模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "当您对配置文件进行更改并切换到其他配置文件时将显示一个对话框,询问您是否要保留修改。您也可以选择一个默认行为并令其不再显示该对话框。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "切换到不同配置文件时对设置值更改的默认操作: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "总是舍失更改的设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "总是将更改的设置传输至新配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "隐私" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "您愿意将关于您的打印数据以匿名形式发送到 Ultimaker 吗?注意:我们不会记录/发送任何模型、IP 地址或其他私人数据。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(匿名)发送打印信息" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "详细信息" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "当 Cura 启动时,是否自动检查更新?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "启动时检查更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "在检查更新时,只检查稳定版。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "仅限稳定版" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "在检查更新时,同时检查稳定版和测试版。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "稳定版和测试版" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "是否应在每次启动 Cura 时自动检查新插件?强烈建议您不要禁用此功能!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "获取插件更新通知" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "信息" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "确认直径更改" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "新的灯丝直径被设置为%1毫米,这与当前的挤出机不兼容。你想继续吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "显示名称" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "材料类型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "颜色" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "属性" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "密度" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "直径" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "耗材成本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "耗材重量" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "耗材长度" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "每米成本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "此材料与 %1 相关联,并共享其某些属性。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "解绑材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "描述" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "粘附信息" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "创建" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "复制" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "与打印机同步" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "导入配置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "无法导入材料 %1%2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "成功导入材料 %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "导出材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "无法导出材料至 %1%2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "成功导出材料至: %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "导出所有材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "设置可见性" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "全部勾选" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "已计算" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "配置文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "当前" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "单位" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "未连接至打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "打印机不接受命令" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "维护中。请检查打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "与打印机的连接中断" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "打印中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "已暂停" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "初始化中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "请取出打印件" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "中止打印" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "您确定要中止打印吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "用 %1 打印所选模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "我的打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "在 Ultimaker Digital Factory 中监控打印机。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "在 Digital Library 中创建打印项目。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "打印作业" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "监控打印作业并从打印历史记录重新打印。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "用插件和材料配置文件扩展 Ultimaker Cura。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "通过 Ultimaker 线上课程教学,成为 3D 打印专家。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimaker 支持" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "了解如何开始使用 Ultimaker Cura。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "提问" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "咨询 Ultimaker 社区。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "报告错误" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "向开发人员报错。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "访问 Ultimaker 网站。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "打印机控制" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "垛齐位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "垛齐距离" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "发送 G-code" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "向连接的打印机发送自定义 G-code 命令。按“Enter”发送命令。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "挤出机" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "热端的目标温度。 热端将加热或冷却至此温度。 如果目标温度为 0,则热端加热将关闭。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "该热端的当前温度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "热端的预热温度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "取消" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "预热" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "打印前请预热热端。您可以在热端加热时继续调整打印机,而不必等待热端加热完毕再做好打印准备。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "该挤出机中材料的颜色。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "该挤出机中的材料。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "该挤出机所使用的喷嘴。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "尚未连接到打印机。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "打印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "热床的目标温度。热床将加热或冷却至此温度。若设置为 0,则不使用热床。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "热床当前温度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "热床的预热温度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "打印前请预热热床。您可以在热床加热时继续调整相关项,让您在准备打印时不必等待热床加热完毕。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "登录" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- 从 Marketplace 添加材料配置文件和插件\n" +"- 备份和同步材料配置文件和插件\n" +"- 在 Ultimaker 社区分享观点并获取 48,000 多名用户的帮助" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "创建免费的 Ultimaker 帐户" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "上次更新时间:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker 帐户" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "注销" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "正在检查..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "帐户已同步" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "发生了错误..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "安装挂起的更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "检查是否存在帐户更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "未命名" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "没有可供选择的项目" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "显示联机故障排除指南" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "切换完整界面" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "退出完整界面" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "撤销(&U)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "重做(&R)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "退出(&Q)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "3D 视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "正视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "顶视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "仰视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "左视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "右视图" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "配置 Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "新增打印机(&A)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "管理打印机(&I)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "管理材料..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "从市场添加更多材料" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "使用当前设置 / 重写值更新配置文件(&U)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "舍弃当前更改(&D)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "从当前设置 / 重写值创建配置文件(&C)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "管理配置文件.." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "显示在线文档(&D)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "BUG 反馈(&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "新增功能" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "关于..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "删除所选项" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "居中所选项" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "复制所选项" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "删除模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "使模型居于平台中央(&N)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "绑定模型(&G)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "拆分模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "合并模型(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "复制模型…(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "选择所有模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "清空打印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "重新载入所有模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "将所有模型编位到所有打印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "编位所有的模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "为所选模型编位" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "复位所有模型的位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "复位所有模型的变动" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "打开文件(&O)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "新建项目(&N)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "显示配置文件夹" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "配置设定可见性..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "市场(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "未使用此设置,因为受其影响的所有设置均已覆盖。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "影响" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "受影响项目" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "此设置始终在所有挤出机之间共享。在此处更改它将改变所有挤出机的值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "此设置与挤出器特定值不同:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5361,7 +5811,7 @@ msgstr "" "\n" "单击以恢复配置文件的值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5372,509 +5822,93 @@ msgstr "" "\n" "单击以恢复自动计算的值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "搜索设置" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "将值复制到所有挤出机" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "将所有修改值复制到所有挤出机" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "隐藏此设置" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "不再显示此设置" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "保持此设置可见" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "3D 视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "正视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "顶视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "左视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "右视图" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "查看类型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 -msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "添加云打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "等待云响应" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "在您的帐户中未找到任何打印机?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "您帐户中的以下打印机已添加到 Cura 中:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "手动添加打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "制造商" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "配置文件作者" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "打印机名称" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "请为您的打印机命名" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" -msgstr "添加打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "添加已联网打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "添加未联网打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "未找到网络内打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "刷新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "按 IP 添加打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "添加云打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "故障排除" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "按 IP 地址添加打印机" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "输入您打印机的 IP 地址。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "添加" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "无法连接到设备。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "无法连接到 Ultimaker 打印机?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "该网络地址的打印机尚未响应。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "由于是未知打印机或不是组内主机,无法添加该打印机。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "返回" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "连接" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "版本说明" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "从 Marketplace 添加材料设置和插件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "备份和同步材料设置和插件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "在 Ultimaker 社区分享观点并获取 48,000 多名用户的帮助" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "跳过" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "创建免费的 Ultimaker 帐户" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "帮助我们改进 Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "为了改善打印质量和用户体验,Ultimaker Cura 会收集匿名数据,这些数据包括:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "机器类型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "材料使用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "切片数量" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "打印设置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura 收集的数据不会包含任何个人信息。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "更多信息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "空" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "用户协议" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "拒绝并关闭" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "欢迎使用 Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." msgstr "" -"请按照以下步骤设置\n" -"Ultimaker Cura。此操作只需要几分钟时间。" +"一些隐藏设置正在使用有别于一般设置的计算值。\n" +"\n" +"单击以使这些设置可见。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "开始" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" +msgid "This package will be installed after restarting." +msgstr "这个包将在重新启动后安装。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "设置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "正在关闭 %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "您确定要退出 %1 吗?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "安装包" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "打开文件" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "我们已经在您选择的文件中找到一个或多个 G-Code 文件。您一次只能打开一个 G-Code 文件。若需打开 G-Code 文件,请仅选择一个。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" +msgstr "新增打印机" + +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "新增功能" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "没有可供选择的项目" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "检查模型和打印配置,以了解潜在的打印问题并给出建议。" - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "模型检查器" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "提供对读取 3MF 格式文件的支持。" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF 读取器" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "提供对写入 3MF 文件的支持。" - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF 写入器" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "提供对读取 AMF 文件的支持。" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF 读取器" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "备份和还原配置。" - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura 备份" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "提供 CuraEngine 切片后端的路径。" - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "CuraEngine 后端" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "提供了对导入 Cura 配置文件的支持。" - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura 配置文件读取器" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "提供了对导出 Cura 配置文件的支持。" - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura 配置文件写入器" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "连接到 Digital Library,以允许 Cura 从 Digital Library 打开文件并将文件保存到其中。" - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker Digital Library" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "检查以进行固件更新。" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "固件更新检查程序" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "为固件更新提供操作选项。" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "固件更新程序" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "从压缩存档文件读取 G-code。" - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "压缩 G-code 读取器" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "将 G-code 写入至压缩存档文件。" - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "压缩 G-code 写入器" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "提供了从 GCode 文件中导入配置文件的支持。" - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-code 配置文件读取器" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "允许加载和显示 G-code 文件。" - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-code 读取器" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "将 G-code 写入至文件。" - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-code 写入器" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "支持从 2D 图像文件生成可打印几何模型的能力。" - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "图像读取器" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "支持从 Cura 旧版本导入配置文件。" - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "旧版 Cura 配置文件读取器" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "提供一种改变机器设置的方法(如构建体积、喷嘴大小等)。" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "打印机设置操作" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "在 Cura 中提供监视阶段。" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "监视阶段" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5885,85 +5919,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "单一模型设置工具" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "扩展程序(允许用户创建脚本进行后期处理)" +msgid "Provides support for importing Cura profiles." +msgstr "提供了对导入 Cura 配置文件的支持。" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "后期处理" +msgid "Cura Profile Reader" +msgstr "Cura 配置文件读取器" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "在 Cura 中提供准备阶段。" +msgid "Provides support for reading X3D files." +msgstr "支持读取 X3D 文件。" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "准备阶段" +msgid "X3D Reader" +msgstr "X3D 读取器" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "在 Cura 中提供预览阶段。" +msgid "Backup and restore your configuration." +msgstr "备份和还原配置。" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "预览阶段" +msgid "Cura Backups" +msgstr "Cura 备份" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "提供可移动磁盘热插拔和写入文件的支持。" +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "提供一种改变机器设置的方法(如构建体积、喷嘴大小等)。" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "可移动磁盘输出设备插件" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "记录某些事件,以使其可供崩溃报告器使用" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "Sentry 日志记录" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "提供仿真视图。" - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "仿真视图" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "提交匿名切片信息。 可以通过偏好设置禁用。" - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "切片信息" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "提供一个基本的实体网格视图。" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "实体视图" +msgid "Machine Settings Action" +msgstr "打印机设置操作" #: SupportEraser/plugin.json msgctxt "description" @@ -5975,35 +5969,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "支持橡皮擦" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "查找、管理和安装新的Cura包。" +msgid "Provides removable drive hotplugging and writing support." +msgstr "提供可移动磁盘热插拔和写入文件的支持。" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "工具箱" +msgid "Removable Drive Output Device Plugin" +msgstr "可移动磁盘输出设备插件" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "提供对读取模型文件的支持。" +msgid "Provides a machine actions for updating firmware." +msgstr "为固件更新提供操作选项。" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh 阅读器" +msgid "Firmware Updater" +msgstr "固件更新程序" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "支持读取 Ultimaker 格式包。" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "支持从 Cura 旧版本导入配置文件。" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP 读取器" +msgid "Legacy Cura Profile Reader" +msgstr "旧版 Cura 配置文件读取器" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "提供对读取 3MF 格式文件的支持。" + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF 读取器" #: UFPWriter/plugin.json msgctxt "description" @@ -6015,25 +6019,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFP 写入器" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "为最后的机器提供机器操作(例如,热床调平向导,选择升级等)。" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "记录某些事件,以使其可供崩溃报告器使用" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker 打印机操作" +msgid "Sentry Logger" +msgstr "Sentry 日志记录" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "管理与 Ultimaker 网络打印机的网络连接。" +msgid "Provides support for importing profiles from g-code files." +msgstr "提供了从 GCode 文件中导入配置文件的支持。" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker 网络连接" +msgid "G-code Profile Reader" +msgstr "G-code 配置文件读取器" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "在 Cura 中提供预览阶段。" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "预览阶段" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "提供透视视图。" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "透视视图" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "提供 CuraEngine 切片后端的路径。" + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "CuraEngine 后端" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "提供对读取 AMF 文件的支持。" + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF 读取器" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "从压缩存档文件读取 G-code。" + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "压缩 G-code 读取器" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "扩展程序(允许用户创建脚本进行后期处理)" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "后期处理" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "提供了对导出 Cura 配置文件的支持。" + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura 配置文件写入器" #: USBPrinting/plugin.json msgctxt "description" @@ -6045,25 +6119,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB 联机打印" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "将配置从 Cura 2.1 版本升级至 2.2 版本。" +msgid "Provides a prepare stage in Cura." +msgstr "在 Cura 中提供准备阶段。" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "版本自 2.1 升级到 2.2" +msgid "Prepare Stage" +msgstr "准备阶段" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "将配置从 Cura 2.2 版本升级至 2.4 版本。" +msgid "Allows loading and displaying G-code files." +msgstr "允许加载和显示 G-code 文件。" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "版本自 2.2 升级到 2.4" +msgid "G-code Reader" +msgstr "G-code 读取器" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "支持从 2D 图像文件生成可打印几何模型的能力。" + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "图像读取器" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "为最后的机器提供机器操作(例如,热床调平向导,选择升级等)。" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker 打印机操作" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "将 G-code 写入至压缩存档文件。" + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "压缩 G-code 写入器" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "检查以进行固件更新。" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "固件更新检查程序" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "提交匿名切片信息。 可以通过偏好设置禁用。" + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "切片信息" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "提供读取和写入基于 XML 的材料配置文件的功能。" + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "材料配置文件" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "连接到 Digital Library,以允许 Cura 从 Digital Library 打开文件并将文件保存到其中。" + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker Digital Library" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "查找、管理和安装新的Cura包。" + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "工具箱" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "将 G-code 写入至文件。" + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-code 写入器" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "提供仿真视图。" + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "仿真视图" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "将配置从 Cura 4.5 升级至 Cura 4.6。" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "版本从 4.5 升级至 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -6075,55 +6259,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "版本自 2.5 升级到 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "将配置从 Cura 2.6 版本升级至 2.7 版本。" +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "将配置从 Cura 4.6.0 升级到 Cura 4.6.2。" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "版本自 2.6 升级到 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "版本从 4.6.0 升级到 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "将配置从 Cura 2.7 版本升级至 3.0 版本。" +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "将配置从 Cura 4.7 升级到 Cura 4.8。" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "版本自 2.7 升级到 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "将配置从 Cura 3.0 版本升级至 3.1 版本。" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "版本自 3.0 升级到 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "将配置从 Cura 3.2 版本升级至 3.3 版本。" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "版本自 3.2 升级到 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "从Cura 3.3升级到Cura 3.4。" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "版本升级3.3到3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "将版本从 4.7 升级到 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -6135,45 +6289,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "版本自 3.4 升级到 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "将配置从 Cura 3.5 版本升级至 4.0 版本。" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "将配置从 Cura 2.1 版本升级至 2.2 版本。" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "版本自 3.5 升级到 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "版本自 2.1 升级到 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "将配置从 Cura 4.0 版本升级至 4.1 版本。" +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "将配置从 Cura 3.2 版本升级至 3.3 版本。" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "版本自 4.0 升级到 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "版本自 3.2 升级到 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "将配置从 Cura 4.11 升级到 Cura 4.12。" +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "将配置从 Cura 4.8 升级到 Cura 4.9。" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "版本从 4.11 升级到 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "版本从 4.8 升级到 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "请将配置从 Cura 4.1 升级至 Cura 4.2。" +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "将配置从 Cura 4.6.2 升级到 Cura 4.7。" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "版本自 4.1 升级到 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "版本从 4.6.2 升级到 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6195,66 +6349,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "版本自 4.3 升级至 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "将配置从 Cura 4.4 升级至 Cura 4.5。" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "版本从 4.4 升级至 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "将配置从 Cura 4.5 升级至 Cura 4.6。" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "版本从 4.5 升级至 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "将配置从 Cura 4.6.0 升级到 Cura 4.6.2。" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "版本从 4.6.0 升级到 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "将配置从 Cura 4.6.2 升级到 Cura 4.7。" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "版本从 4.6.2 升级到 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "将配置从 Cura 4.7 升级到 Cura 4.8。" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "将版本从 4.7 升级到 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "将配置从 Cura 4.8 升级到 Cura 4.9。" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "版本从 4.8 升级到 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6265,35 +6359,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "版本从 4.9 升级到 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "支持读取 X3D 文件。" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "将配置从 Cura 2.7 版本升级至 3.0 版本。" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D 读取器" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "版本自 2.7 升级到 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "提供读取和写入基于 XML 的材料配置文件的功能。" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "将配置从 Cura 2.6 版本升级至 2.7 版本。" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "材料配置文件" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "版本自 2.6 升级到 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "提供透视视图。" +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "将配置从 Cura 4.11 升级到 Cura 4.12。" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "透视视图" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "版本从 4.11 升级到 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "从Cura 3.3升级到Cura 3.4。" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "版本升级3.3到3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "将配置从 Cura 3.0 版本升级至 3.1 版本。" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "版本自 3.0 升级到 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "将配置从 Cura 4.0 版本升级至 4.1 版本。" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "版本自 4.0 升级到 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "将配置从 Cura 4.4 升级至 Cura 4.5。" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "版本从 4.4 升级至 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "将配置从 Cura 2.2 版本升级至 2.4 版本。" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "版本自 2.2 升级到 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "请将配置从 Cura 4.1 升级至 Cura 4.2。" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "版本自 4.1 升级到 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "将配置从 Cura 3.5 版本升级至 4.0 版本。" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "版本自 3.5 升级到 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "管理与 Ultimaker 网络打印机的网络连接。" + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker 网络连接" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "提供对读取模型文件的支持。" + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh 阅读器" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "支持读取 Ultimaker 格式包。" + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP 读取器" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "提供一个基本的实体网格视图。" + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "实体视图" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "提供对写入 3MF 文件的支持。" + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF 写入器" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "在 Cura 中提供监视阶段。" + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "监视阶段" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "检查模型和打印配置,以了解潜在的打印问题并给出建议。" + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "模型检查器" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/zh_CN/fdmextruder.def.json.po b/resources/i18n/zh_CN/fdmextruder.def.json.po index 9a9c39dc07..ee72d6c03b 100644 --- a/resources/i18n/zh_CN/fdmextruder.def.json.po +++ b/resources/i18n/zh_CN/fdmextruder.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2019-03-13 14:00+0200\n" "Last-Translator: Bothof \n" "Language-Team: PCDotFan , Bothof \n" diff --git a/resources/i18n/zh_CN/fdmprinter.def.json.po b/resources/i18n/zh_CN/fdmprinter.def.json.po index db53ea6336..b4764f5fad 100644 --- a/resources/i18n/zh_CN/fdmprinter.def.json.po +++ b/resources/i18n/zh_CN/fdmprinter.def.json.po @@ -4,9 +4,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-04-16 15:04+0200\n" "Last-Translator: Lionbridge \n" "Language-Team: Chinese , PCDotFan , Chinese \n" @@ -54,8 +54,10 @@ msgstr "开始 G-code" #: fdmprinter.def.json msgctxt "machine_start_gcode description" -msgid "G-code commands to be executed at the very start - separated by \\n." -msgstr "在开始时执行的 G-code 命令 - 以 \\n 分行。" +msgid "" +"G-code commands to be executed at the very start - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "machine_end_gcode label" @@ -64,8 +66,10 @@ msgstr "结束 G-code" #: fdmprinter.def.json msgctxt "machine_end_gcode description" -msgid "G-code commands to be executed at the very end - separated by \\n." -msgstr "在结束前执行的 G-code 命令 - 以 \\n 分行。" +msgid "" +"G-code commands to be executed at the very end - separated by \n" +"." +msgstr "" #: fdmprinter.def.json msgctxt "material_guid label" @@ -147,6 +151,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "机器可打印区域深度(Y 坐标)" +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "机器高度" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "机器可打印区域高度(Z 坐标)" + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -187,16 +201,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "铝" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "机器高度" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "机器可打印区域高度(Z 坐标)" - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -554,8 +558,8 @@ msgstr "Z 轴方向电机的最大速度。" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "最大进料速率" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1724,8 +1728,8 @@ msgstr "填充图案" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "打印的填充材料的图案。直线和锯齿形填充交替在各层上变换方向,从而降低材料成本。每层都完整地打印网格、三角形、三六边形、立方体、八角形、四分之一立方体、十字和同心图案。螺旋二十四面体、立方体、四分之一立方体和八角形填充随每层变化,以使各方向的强度分布更均衡。闪电形填充尝试通过仅支撑物体的(内)顶部,将填充程度降至最低。因此,填充百分比仅在支撑模型所需的无论何种物体之下的一层“有效”。" +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2038,8 +2042,8 @@ msgstr "闪电形填充修剪角" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "对于修剪树形外端的情况,闪电形填充层与紧接其上的一层可存在的区别。在给定的厚度下测得的角度。" +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2048,8 +2052,8 @@ msgstr "闪电形填充矫直角" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "对于使树形平滑的情况,闪电形填充层与紧接其上的一层可存在的区别。在给定的厚度下测得的角度。" +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6474,6 +6478,30 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "在将模型从文件中载入时应用在模型上的转换矩阵。" +#~ msgctxt "machine_start_gcode description" +#~ msgid "G-code commands to be executed at the very start - separated by \\n." +#~ msgstr "在开始时执行的 G-code 命令 - 以 \\n 分行。" + +#~ msgctxt "machine_end_gcode description" +#~ msgid "G-code commands to be executed at the very end - separated by \\n." +#~ msgstr "在结束前执行的 G-code 命令 - 以 \\n 分行。" + +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "最大进料速率" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "打印的填充材料的图案。直线和锯齿形填充交替在各层上变换方向,从而降低材料成本。每层都完整地打印网格、三角形、三六边形、立方体、八角形、四分之一立方体、十字和同心图案。螺旋二十四面体、立方体、四分之一立方体和八角形填充随每层变化,以使各方向的强度分布更均衡。闪电形填充尝试通过仅支撑物体的(内)顶部,将填充程度降至最低。因此,填充百分比仅在支撑模型所需的无论何种物体之下的一层“有效”。" + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "对于修剪树形外端的情况,闪电形填充层与紧接其上的一层可存在的区别。在给定的厚度下测得的角度。" + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "对于使树形平滑的情况,闪电形填充层与紧接其上的一层可存在的区别。在给定的厚度下测得的角度。" + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "打印填充材料的图案。线条和锯齿形填充在交替层上交换方向,从而降低材料成本。网格、三角形、内六角、立方体、八角形、四面体、交叉和同心图案在每层完整打印。螺旋二十四面体、立方体、四面体和八角形填充随每层变化,以在各个方向提供更均衡的强度分布。" diff --git a/resources/i18n/zh_TW/cura.po b/resources/i18n/zh_TW/cura.po index 1339158d47..f217acd0e1 100644 --- a/resources/i18n/zh_TW/cura.po +++ b/resources/i18n/zh_TW/cura.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0200\n" +"POT-Creation-Date: 2021-12-10 12:00+0100\n" "PO-Revision-Date: 2021-10-31 00:15+0800\n" "Last-Translator: Valen Chang \n" "Language-Team: Valen Chang / Leo Hsu\n" @@ -18,190 +18,449 @@ msgstr "" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Poedit 3.0\n" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361 -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 -msgctxt "@label" -msgid "Unknown" -msgstr "未知" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115 +msgctxt "@info:backup_failed" +msgid "Could not create archive from user data directory: {}" +msgstr "無法從使用者資料目錄建立備份檔:{}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 -msgctxt "@label" -msgid "The printer(s) below cannot be connected because they are part of a group" -msgstr "下列印表機因為是群組的一部份導致無法連接" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 +msgctxt "@info:title" +msgid "Backup" +msgstr "備份" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 -msgctxt "@label" -msgid "Available networked printers" -msgstr "可用的網路印表機" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup without having proper data or meta data." +msgstr "嘗試復原Cura 備份(若無proper data或meta data)。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219 -msgctxt "@menuitem" -msgid "Not overridden" -msgstr "不覆寫" +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145 +msgctxt "@info:backup_failed" +msgid "Tried to restore a Cura backup that is higher than the current version." +msgstr "嘗試復原新版本的Cura備份。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76 +#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158 +msgctxt "@info:backup_failed" +msgid "The following error occurred while trying to restore a Cura backup:" +msgstr "恢復Cura備份時,出現下列錯誤:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55 +msgctxt "@action:button" +msgid "Please sync the material profiles with your printers before starting to print." +msgstr "再列印前請先同步線材資料." + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56 +msgctxt "@action:button" +msgid "New materials installed" +msgstr "新線材資料安裝" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63 +msgctxt "@action:button" +msgid "Sync materials with printers" +msgstr "列印機同步線材資料" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80 +msgctxt "@action:button" +msgid "Learn more" +msgstr "學習更多" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135 +msgctxt "@message:text" +msgid "Could not save material archive to {}:" +msgstr "無法儲存線材資料至{}:" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136 +msgctxt "@message:title" +msgid "Failed to save material archive" +msgstr "線材資料儲存失敗" + +#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188 +msgctxt "@text" +msgid "Unknown error." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99 +msgctxt "@info:status" +msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." +msgstr "由於「列印序列」設定的值,成形列印範圍高度已被減少,以防止龍門與列印模型相衝突。" + +#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102 +msgctxt "@info:title" +msgid "Build Volume" +msgstr "列印範圍" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143 #, python-brace-format msgctxt "@label {0} is the name of a printer that's about to be deleted." msgid "Are you sure you wish to remove {0}? This cannot be undone!" msgstr "你確定要移除 {0} 嗎?這動作無法復原!" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219 +msgctxt "@menuitem" +msgid "Not overridden" +msgstr "不覆寫" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361 +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171 +msgctxt "@label" +msgid "Unknown" +msgstr "未知" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113 +msgctxt "@label" +msgid "The printer(s) below cannot be connected because they are part of a group" +msgstr "下列印表機因為是群組的一部份導致無法連接" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115 +msgctxt "@label" +msgid "Available networked printers" +msgstr "可用的網路印表機" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11 msgctxt "@label" msgid "Default" msgstr "預設值" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14 -msgctxt "@label" -msgid "Visual" -msgstr "外觀" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15 -msgctxt "@text" -msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." -msgstr "外觀參數是設計來列印較高品質形狀和表面的視覺性原型和模型。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18 -msgctxt "@label" -msgid "Engineering" -msgstr "工程" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19 -msgctxt "@text" -msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." -msgstr "工程參數是設計來列印較高精度和較小公差的功能性原型和實際使用零件。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22 -msgctxt "@label" -msgid "Draft" -msgstr "草稿" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54 /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23 -msgctxt "@text" -msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." -msgstr "草稿參數是設計來縮短時間,快速列印初始原型和概念驗證。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53 -msgctxt "@action:button" -msgid "Please sync the material profiles with your printers before starting to print." -msgstr "再列印前請先同步線材資料." - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54 -msgctxt "@action:button" -msgid "New materials installed" -msgstr "新線材資料安裝" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61 -msgctxt "@action:button" -msgid "Sync materials with printers" -msgstr "列印機同步線材資料" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80 -msgctxt "@action:button" -msgid "Learn more" -msgstr "學習更多" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285 -msgctxt "@label" -msgid "Custom Material" -msgstr "自訂線材資料" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233 -msgctxt "@label" -msgid "Custom" -msgstr "自訂" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356 -msgctxt "@message:text" -msgid "Could not save material archive to {}:" -msgstr "無法儲存線材資料至{}:" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357 -msgctxt "@message:title" -msgid "Failed to save material archive" -msgstr "線材資料儲存失敗" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390 msgctxt "@label" msgid "Custom profiles" msgstr "自訂列印參數" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425 #, python-brace-format msgctxt "@item:inlistbox" msgid "All Supported Types ({0})" msgstr "所有支援的類型 ({0})" -#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426 msgctxt "@item:inlistbox" msgid "All Files (*)" msgstr "所有檔案 (*)" -#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14 +msgctxt "@label" +msgid "Visual" +msgstr "外觀" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15 +msgctxt "@text" +msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality." +msgstr "外觀參數是設計來列印較高品質形狀和表面的視覺性原型和模型。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18 +msgctxt "@label" +msgid "Engineering" +msgstr "工程" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19 +msgctxt "@text" +msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances." +msgstr "工程參數是設計來列印較高精度和較小公差的功能性原型和實際使用零件。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22 +msgctxt "@label" +msgid "Draft" +msgstr "草稿" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54 +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23 +msgctxt "@text" +msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction." +msgstr "草稿參數是設計來縮短時間,快速列印初始原型和概念驗證。" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288 +msgctxt "@label" +msgid "Custom Material" +msgstr "自訂線材資料" + +#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346 +msgctxt "@label" +msgid "Custom" +msgstr "自訂" + +#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190 msgctxt "@info:title" msgid "Login failed" msgstr "登入失敗" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67 msgctxt "@info:status" msgid "Finding new location for objects" msgstr "正在為物件尋找新位置" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71 msgctxt "@info:title" msgid "Finding Location" msgstr "尋找位置中" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41 /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99 msgctxt "@info:status" msgid "Unable to find a location within the build volume for all objects" msgstr "無法在列印範圍內放下全部物件" -#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42 +#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152 msgctxt "@info:title" msgid "Can't Find Location" msgstr "無法找到位置" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115 -msgctxt "@info:backup_failed" -msgid "Could not create archive from user data directory: {}" -msgstr "無法從使用者資料目錄建立備份檔:{}" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104 +msgctxt "@text:error" +msgid "Failed to create archive of materials to sync with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122 /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126 -msgctxt "@info:title" -msgid "Backup" -msgstr "備份" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165 +msgctxt "@text:error" +msgid "Failed to load the archive of materials to sync it with printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup without having proper data or meta data." -msgstr "嘗試復原Cura 備份(若無proper data或meta data)。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143 +msgctxt "@text:error" +msgid "The response from Digital Factory appears to be corrupted." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145 -msgctxt "@info:backup_failed" -msgid "Tried to restore a Cura backup that is higher than the current version." -msgstr "嘗試復原新版本的Cura備份。" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155 +msgctxt "@text:error" +msgid "The response from Digital Factory is missing important information." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158 -msgctxt "@info:backup_failed" -msgid "The following error occurred while trying to restore a Cura backup:" -msgstr "恢復Cura備份時,出現下列錯誤:" +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory to sync materials with some of the printers." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98 +#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232 +msgctxt "@text:error" +msgid "Failed to connect to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530 +msgctxt "@info:progress" +msgid "Loading machines..." +msgstr "正在載入印表機..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537 +msgctxt "@info:progress" +msgid "Setting up preferences..." +msgstr "正在設定偏好設定..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675 +msgctxt "@info:progress" +msgid "Initializing Active Machine..." +msgstr "正在初始化啟用的機器..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811 +msgctxt "@info:progress" +msgid "Initializing machine manager..." +msgstr "正在初始化機器管理員..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825 +msgctxt "@info:progress" +msgid "Initializing build volume..." +msgstr "正在初始化列印範圍..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896 +msgctxt "@info:progress" +msgid "Setting up scene..." +msgstr "正在設定場景..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932 +msgctxt "@info:progress" +msgid "Loading interface..." +msgstr "正在載入介面..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937 +msgctxt "@info:progress" +msgid "Initializing engine..." +msgstr "正在初始化引擎..." + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254 +#, python-format +msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." +msgid "%(width).1f x %(depth).1f x %(height).1f mm" +msgstr "%(width).1f x %(depth).1f x %(height).1f mm" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807 +#, python-brace-format msgctxt "@info:status" -msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models." -msgstr "由於「列印序列」設定的值,成形列印範圍高度已被減少,以防止龍門與列印模型相衝突。" +msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" +msgstr "一次只能載入一個 G-code 檔案。{0} 已跳過匯入" -#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 msgctxt "@info:title" -msgid "Build Volume" -msgstr "列印範圍" +msgid "Warning" +msgstr "警告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107 +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819 +#, python-brace-format +msgctxt "@info:status" +msgid "Can't open any other file if G-code is loading. Skipped importing {0}" +msgstr "如果載入 G-code,則無法開啟其他任何檔案。{0} 已跳過匯入" + +#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 +msgctxt "@info:title" +msgid "Error" +msgstr "錯誤" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286 +msgctxt "@action:button" +msgid "Skip" +msgstr "略過" + +#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127 +msgctxt "@action:button" +msgid "Close" +msgstr "關閉" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57 +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277 +msgctxt "@action:button" +msgid "Next" +msgstr "下一步" + +#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290 +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26 +msgctxt "@action:button" +msgid "Finish" +msgstr "完成" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48 +msgctxt "@action:button" +msgid "Add" +msgstr "增加" + +#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +msgctxt "@action:button" +msgid "Cancel" +msgstr "取消" + +#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69 +#, python-brace-format +msgctxt "@label" +msgid "Group #{group_nr}" +msgstr "群組 #{group_nr}" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85 +msgctxt "@tooltip" +msgid "Outer Wall" +msgstr "外壁" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86 +msgctxt "@tooltip" +msgid "Inner Walls" +msgstr "內壁" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87 +msgctxt "@tooltip" +msgid "Skin" +msgstr "表層" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88 +msgctxt "@tooltip" +msgid "Infill" +msgstr "填充" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89 +msgctxt "@tooltip" +msgid "Support Infill" +msgstr "支撐填充" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90 +msgctxt "@tooltip" +msgid "Support Interface" +msgstr "支撐介面" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91 +msgctxt "@tooltip" +msgid "Support" +msgstr "支撐" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92 +msgctxt "@tooltip" +msgid "Skirt" +msgstr "裙邊" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93 +msgctxt "@tooltip" +msgid "Prime Tower" +msgstr "裝填塔" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94 +msgctxt "@tooltip" +msgid "Travel" +msgstr "移動" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95 +msgctxt "@tooltip" +msgid "Retractions" +msgstr "回抽" + +#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96 +msgctxt "@tooltip" +msgid "Other" +msgstr "其它" + +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37 +#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61 +msgctxt "@text:window" +msgid "The release notes could not be opened." +msgstr "發佈通知無法開啟." + +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107 msgctxt "@title:window" msgid "Cura can't start" msgstr "Cura 無法啟動" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113 msgctxt "@label crash message" msgid "" "

    Oops, Ultimaker Cura has encountered something that doesn't seem right.

    \n" @@ -216,32 +475,32 @@ msgstr "" "

    請將錯誤報告傳送給我們以修正此問題。

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122 msgctxt "@action:button" msgid "Send crash report to Ultimaker" msgstr "傳送錯誤報告給 Ultimaker" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125 msgctxt "@action:button" msgid "Show detailed crash report" msgstr "顯示詳細的錯誤報告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129 msgctxt "@action:button" msgid "Show configuration folder" msgstr "顯示設定資料夾" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140 msgctxt "@action:button" msgid "Backup and Reset Configuration" msgstr "備份和重置設定" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171 msgctxt "@title:window" msgid "Crash Report" msgstr "錯誤報告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190 msgctxt "@label crash message" msgid "" "

    A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem

    \n" @@ -252,470 +511,1265 @@ msgstr "" "

    請用\"送出報告\"按鈕自動發出一份錯誤報告到我們的伺服器

    \n" " " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198 msgctxt "@title:groupbox" msgid "System information" msgstr "系統資訊" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207 msgctxt "@label unknown version of Cura" msgid "Unknown" msgstr "未知" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228 msgctxt "@label Cura version number" msgid "Cura version" msgstr "Cura 版本" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229 msgctxt "@label" msgid "Cura language" msgstr "Cura 語言" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230 msgctxt "@label" msgid "OS language" msgstr "作業系統語言" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231 msgctxt "@label Type of platform" msgid "Platform" msgstr "平台" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232 msgctxt "@label" msgid "Qt version" msgstr "Qt 版本" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233 msgctxt "@label" msgid "PyQt version" msgstr "PyQt 版本" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234 msgctxt "@label OpenGL version" msgid "OpenGL" msgstr "OpenGL" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264 msgctxt "@label" msgid "Not yet initialized
    " msgstr "尚未初始化
    " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267 #, python-brace-format msgctxt "@label OpenGL version" msgid "
  • OpenGL Version: {version}
  • " msgstr "
  • OpenGL 版本:{version}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268 #, python-brace-format msgctxt "@label OpenGL vendor" msgid "
  • OpenGL Vendor: {vendor}
  • " msgstr "
  • OpenGL 供應商:{vendor}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269 #, python-brace-format msgctxt "@label OpenGL renderer" msgid "
  • OpenGL Renderer: {renderer}
  • " msgstr "
  • OpenGL 渲染器:{renderer}
  • " -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303 msgctxt "@title:groupbox" msgid "Error traceback" msgstr "錯誤追溯" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389 msgctxt "@title:groupbox" msgid "Logs" msgstr "日誌" -#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417 +#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417 msgctxt "@action:button" msgid "Send report" msgstr "送出報告" -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529 -msgctxt "@info:progress" -msgid "Loading machines..." -msgstr "正在載入印表機..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536 -msgctxt "@info:progress" -msgid "Setting up preferences..." -msgstr "正在設定偏好設定..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674 -msgctxt "@info:progress" -msgid "Initializing Active Machine..." -msgstr "正在初始化啟用的機器..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809 -msgctxt "@info:progress" -msgid "Initializing machine manager..." -msgstr "正在初始化機器管理員..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823 -msgctxt "@info:progress" -msgid "Initializing build volume..." -msgstr "正在初始化列印範圍..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894 -msgctxt "@info:progress" -msgid "Setting up scene..." -msgstr "正在設定場景..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930 -msgctxt "@info:progress" -msgid "Loading interface..." -msgstr "正在載入介面..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935 -msgctxt "@info:progress" -msgid "Initializing engine..." -msgstr "正在初始化引擎..." - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252 -#, python-format -msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm." -msgid "%(width).1f x %(depth).1f x %(height).1f mm" -msgstr "%(width).1f x %(depth).1f x %(height).1f mm" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805 -#, python-brace-format -msgctxt "@info:status" -msgid "Only one G-code file can be loaded at a time. Skipped importing {0}" -msgstr "一次只能載入一個 G-code 檔案。{0} 已跳過匯入" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198 /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177 -msgctxt "@info:title" -msgid "Warning" -msgstr "警告" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817 -#, python-brace-format -msgctxt "@info:status" -msgid "Can't open any other file if G-code is loading. Skipped importing {0}" -msgstr "如果載入 G-code,則無法開啟其他任何檔案。{0} 已跳過匯入" - -#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166 -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161 -msgctxt "@info:title" -msgid "Error" -msgstr "錯誤" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30 -msgctxt "@info:status" -msgid "Multiplying and placing objects" -msgstr "正在複製並放置模型" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32 -msgctxt "@info:title" -msgid "Placing Objects" -msgstr "正在放置模型" - -#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100 -msgctxt "@info:title" -msgid "Placing Object" -msgstr "擺放物件中" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92 -msgctxt "@message" -msgid "Could not read response." -msgstr "雲端沒有讀取回應。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74 -msgctxt "@message" -msgid "The provided state is not correct." -msgstr "提供的狀態不正確。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85 -msgctxt "@message" -msgid "Please give the required permissions when authorizing this application." -msgstr "核准此應用程式時,請給予所需的權限。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92 -msgctxt "@message" -msgid "Something unexpected happened when trying to log in, please try again." -msgstr "嘗試登入時出現意外狀況,請再試一次。" - -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216 msgctxt "@info" msgid "Unable to start a new sign in process. Check if another sign in attempt is still active." msgstr "無法開始新的登入程序。檢查是否有其他登入仍在進行中。" -#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277 msgctxt "@info" msgid "Unable to reach the Ultimaker account server." msgstr "無法連上 Ultimaker 帳號伺服器。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140 +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278 +msgctxt "@info:title" +msgid "Log-in failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75 +msgctxt "@message" +msgid "The provided state is not correct." +msgstr "提供的狀態不正確。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80 +msgctxt "@message" +msgid "Timeout when authenticating with the account server." +msgstr "" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97 +msgctxt "@message" +msgid "Please give the required permissions when authorizing this application." +msgstr "核准此應用程式時,請給予所需的權限。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104 +msgctxt "@message" +msgid "Something unexpected happened when trying to log in, please try again." +msgstr "嘗試登入時出現意外狀況,請再試一次。" + +#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89 +msgctxt "@message" +msgid "Could not read response." +msgstr "雲端沒有讀取回應。" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30 +msgctxt "@info:status" +msgid "Multiplying and placing objects" +msgstr "正在複製並放置模型" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32 +msgctxt "@info:title" +msgid "Placing Objects" +msgstr "正在放置模型" + +#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100 +msgctxt "@info:title" +msgid "Placing Object" +msgstr "擺放物件中" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36 +msgctxt "@info:not supported profile" +msgid "Not supported" +msgstr "不支援" + +#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55 +msgctxt "@info:No intent profile selected" +msgid "Default" +msgstr "預設值" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218 +msgctxt "@label" +msgid "Nozzle" +msgstr "噴頭" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857 +msgctxt "@info:message Followed by a list of settings." +msgid "Settings have been changed to match the current availability of extruders:" +msgstr "設定已被更改為符合目前擠出機:" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858 +msgctxt "@info:title" +msgid "Settings updated" +msgstr "設定更新" + +#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480 +msgctxt "@info:title" +msgid "Extruder(s) Disabled" +msgstr "擠出機已停用" + +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140 msgctxt "@title:window" msgid "File Already Exists" msgstr "檔案已經存在" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141 #, python-brace-format msgctxt "@label Don't translate the XML tag !" msgid "The file {0} already exists. Are you sure you want to overwrite it?" msgstr "檔案 {0} 已存在。你確定要覆蓋掉它嗎?" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459 /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462 msgctxt "@info:status" msgid "Invalid file URL:" msgstr "無效的檔案網址:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153 #, python-brace-format msgctxt "@info:status Don't translate the XML tags or !" msgid "Failed to export profile to {0}: {1}" msgstr "無法將列印參數匯出至 {0}{1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to export profile to {0}: Writer plugin reported failure." msgstr "無法將列印參數匯出至 {0}:寫入器外掛報告故障。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Exported profile to {0}" msgstr "列印參數已匯出至:{0}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173 msgctxt "@info:title" msgid "Export succeeded" msgstr "匯出成功" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}: {1}" msgstr "無法從 {0} 匯入列印參數:{1}" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Can't import profile from {0} before a printer is added." msgstr "在加入印表機前,無法從 {0} 匯入列印參數。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "No custom profile to import in file {0}" msgstr "檔案 {0} 內沒有自訂列印參數可匯入" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "Failed to import profile from {0}:" msgstr "從 {0} 匯入列印參數失敗:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252 /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262 #, python-brace-format msgctxt "@info:status Don't translate the XML tags !" msgid "This profile {0} contains incorrect data, could not import it." msgstr "列印參數 {0} 含有不正確的資料,無法匯入。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355 #, python-brace-format msgctxt "@info:status Don't translate the XML tag !" msgid "Failed to import profile from {0}:" msgstr "從 {0} 匯入列印參數失敗:" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359 #, python-brace-format msgctxt "@info:status" msgid "Successfully imported profile {0}." msgstr "已成功匯入列印參數 {0}。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366 #, python-brace-format msgctxt "@info:status" msgid "File {0} does not contain any valid profile." msgstr "檔案 {0} 內未含有效的列印參數。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369 #, python-brace-format msgctxt "@info:status" msgid "Profile {0} has an unknown file type or is corrupted." msgstr "列印參數 {0} 檔案類型未知或已損壞。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443 msgctxt "@label" msgid "Custom profile" msgstr "自訂列印參數" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459 msgctxt "@info:status" msgid "Profile is missing a quality type." msgstr "列印參數缺少列印品質類型定義。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463 msgctxt "@info:status" msgid "There is no active printer yet." msgstr "尚未啟動列印機." -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469 msgctxt "@info:status" msgid "Unable to add the profile." msgstr "無法新增列印參數。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483 #, python-brace-format msgctxt "@info:status" msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'." msgstr "品質類型 '{0}' 與目前的啟用的機器設定 '{1} '不相容。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488 +#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488 #, python-brace-format msgctxt "@info:status" msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type." msgstr "警告:列印參數無法顯示,因為它的品質類型 '{0}' 無法在目前設定使用。切換到可使用此品質類型的線材/噴頭組合。" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36 -msgctxt "@info:not supported profile" -msgid "Not supported" -msgstr "不支援" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55 -msgctxt "@info:No intent profile selected" -msgid "Default" -msgstr "預設值" - -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14 msgctxt "@label" -msgid "Nozzle" -msgstr "噴頭" +msgid "Per Model Settings" +msgstr "單一模型設定" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857 -msgctxt "@info:message Followed by a list of settings." -msgid "Settings have been changed to match the current availability of extruders:" -msgstr "設定已被更改為符合目前擠出機:" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15 +msgctxt "@info:tooltip" +msgid "Configure Per Model Settings" +msgstr "設定對每個模型的單獨設定" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura Profile" +msgstr "Cura 列印參數" + +#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13 +msgctxt "@item:inlistbox" +msgid "X3D File" +msgstr "X3D 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86 +msgctxt "@info:backup_status" +msgid "There was an error trying to restore your backup." +msgstr "嘗試恢復備份時發生錯誤。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 msgctxt "@info:title" -msgid "Settings updated" -msgstr "設定更新" +msgid "Backups" +msgstr "備份" -#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481 +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 +msgctxt "@info:backup_status" +msgid "There was an error while uploading your backup." +msgstr "上傳你的備份時發生錯誤。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 +msgctxt "@info:backup_status" +msgid "Creating your backup..." +msgstr "正在建立備份..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 +msgctxt "@info:backup_status" +msgid "There was an error while creating your backup." +msgstr "建立備份時發生了錯誤。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 +msgctxt "@info:backup_status" +msgid "Uploading your backup..." +msgstr "正在上傳你的備份..." + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 +msgctxt "@info:backup_status" +msgid "Your backup has finished uploading." +msgstr "你的備份上傳完成。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 +msgctxt "@error:file_size" +msgid "The backup exceeds the maximum file size." +msgstr "備份超過了最大檔案大小。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 +msgctxt "@item:inmenu" +msgid "Manage backups" +msgstr "管理備份" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 +msgctxt "@action" +msgid "Machine Settings" +msgstr "印表機設定" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12 +msgctxt "@label" +msgid "Support Blocker" +msgstr "支撐阻斷器" + +#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13 +msgctxt "@info:tooltip" +msgid "Create a volume in which supports are not printed." +msgstr "建立一塊不列印支撐的空間。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 +msgctxt "@item:intext" +msgid "Removable Drive" +msgstr "行動裝置" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Save to Removable Drive" +msgstr "儲存至行動裝置" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 +#, python-brace-format +msgctxt "@item:inlistbox" +msgid "Save to Removable Drive {0}" +msgstr "儲存到行動裝置 {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 +msgctxt "@info:status" +msgid "There are no file formats available to write with!" +msgstr "沒有可供寫入的檔案格式!" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 +#, python-brace-format +msgctxt "@info:progress Don't translate the XML tags !" +msgid "Saving to Removable Drive {0}" +msgstr "正在儲存到行動裝置 {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 msgctxt "@info:title" -msgid "Extruder(s) Disabled" -msgstr "擠出機已停用" +msgid "Saving" +msgstr "儲存中" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not save to {0}: {1}" +msgstr "無法儲存到 {0}{1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 +#, python-brace-format +msgctxt "@info:status Don't translate the tag {device}!" +msgid "Could not find a file name when trying to write to {device}." +msgstr "嘗試寫入到 {device} 時無法找到檔名。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 +#, python-brace-format +msgctxt "@info:status" +msgid "Could not save to removable drive {0}: {1}" +msgstr "無法儲存到行動裝置 {0}:{1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 +#, python-brace-format +msgctxt "@info:status" +msgid "Saved to Removable Drive {0} as {1}" +msgstr "儲存到行動裝置 {0}:{1}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 +msgctxt "@info:title" +msgid "File Saved" +msgstr "檔案已儲存" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 msgctxt "@action:button" -msgid "Add" -msgstr "增加" +msgid "Eject" +msgstr "卸載" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272 +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 +#, python-brace-format +msgctxt "@action" +msgid "Eject removable device {0}" +msgstr "卸載行動裝置 {0}" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 +#, python-brace-format +msgctxt "@info:status" +msgid "Ejected {0}. You can now safely remove the drive." +msgstr "已卸載 {0}。現在你可以安全地移除行動裝置。" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 +msgctxt "@info:title" +msgid "Safely Remove Hardware" +msgstr "安全移除硬體" + +#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 +#, python-brace-format +msgctxt "@info:status" +msgid "Failed to eject {0}. Another program may be using the drive." +msgstr "無法卸載 {0},可能有其它程式正在使用行動裝置。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 +msgctxt "@action" +msgid "Update Firmware" +msgstr "更新韌體" + +#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "Cura 15.04 profiles" +msgstr "Cura 15.04 列印參數" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203 +msgctxt "@title:tab" +msgid "Recommended" +msgstr "推薦" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205 +msgctxt "@title:tab" +msgid "Custom" +msgstr "自訂選項" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542 +#, python-brace-format +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." +msgstr "專案檔案 {0} 包含未知的機器類型 {1}。機器無法被匯入,但模型將被匯入。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545 +msgctxt "@info:title" +msgid "Open Project File" +msgstr "開啟專案檔案" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is suddenly inaccessible: {1}." +msgstr "專案檔案 {0} 無法存取:{1}。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651 +msgctxt "@info:title" +msgid "Can't Open Project File" +msgstr "無法開啟專案檔案" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tags or !" +msgid "Project file {0} is corrupt: {1}." +msgstr "專案檔案{0} 已毀損 : {1}." + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703 +#, python-brace-format +msgctxt "@info:error Don't translate the XML tag !" +msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." +msgstr "專案檔案 {0} 使用了此版本 Ultimaker Cura 未知的參數製作。" + +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33 +msgctxt "@item:inlistbox" +msgid "3MF File" +msgstr "3MF 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149 +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159 +msgctxt "@info:error" +msgid "Can't write to UFP file:" +msgstr "無法寫入 UFP 檔案:" + +#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28 +#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "Ultimaker Format Package" +msgstr "Ultimaker 格式的封包" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16 +msgctxt "@item:inlistbox" +msgid "G-code File" +msgstr "G-code 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13 +msgctxt "@item:inmenu" +msgid "Preview" +msgstr "預覽" + +#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12 +msgctxt "@item:inlistbox" +msgid "X-Ray view" +msgstr "透視檢視" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 +msgctxt "@info:status" +msgid "Processing Layers" +msgstr "正在處理層" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 +msgctxt "@info:title" +msgid "Information" +msgstr "資訊" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 +msgctxt "@message" +msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." +msgstr "未知問題使切片失敗. 請考慮在我們的問題追蹤器內回報問題." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 +msgctxt "@message:title" +msgid "Slicing failed" +msgstr "切片失敗" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 +msgctxt "@message:button" +msgid "Report a bug" +msgstr "回報問題" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 +msgctxt "@message:description" +msgid "Report a bug on Ultimaker Cura's issue tracker." +msgstr "於Ultimaker Cura問題追蹤器中回報問題." + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 +msgctxt "@info:status" +msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." +msgstr "無法使用目前線材切片,因為它與所選機器或設定不相容。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 +msgctxt "@info:title" +msgid "Unable to slice" +msgstr "無法切片" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice with the current settings. The following settings have errors: {0}" +msgstr "無法使用目前設定進行切片。以下設定存在錯誤:{0}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 +#, python-brace-format +msgctxt "@info:status" +msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" +msgstr "因部份模型設定問題無法進行切片。部份模型的下列設定有錯誤:{error_labels}" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 +msgctxt "@info:status" +msgid "Unable to slice because the prime tower or prime position(s) are invalid." +msgstr "無法切片(原因:換料塔或主位置無效)。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 +#, python-format +msgctxt "@info:status" +msgid "Unable to slice because there are objects associated with disabled Extruder %s." +msgstr "有物件使用了被停用的擠出機 %s ,因此無法進行切片。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 +msgctxt "@info:status" +msgid "" +"Please review settings and check if your models:\n" +"- Fit within the build volume\n" +"- Are assigned to an enabled extruder\n" +"- Are not all set as modifier meshes" +msgstr "" +"請檢查設定並檢查你的模型是否:\n" +"- 適合列印範圍\n" +"- 分配了一個已啟用的擠出機\n" +"- 沒有全部設定成修改網格" + +#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "AMF File" +msgstr "AMF 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17 +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17 +msgctxt "@item:inlistbox" +msgid "Compressed G-code File" +msgstr "壓縮 G-code 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 +msgctxt "@item:inmenu" +msgid "Post Processing" +msgstr "後處理" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 +msgctxt "@item:inmenu" +msgid "Modify G-Code" +msgstr "修改 G-Code 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 +msgctxt "@item:inmenu" +msgid "USB printing" +msgstr "USB 連線列印" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print via USB" +msgstr "透過 USB 連線列印" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 +msgctxt "@info:tooltip" +msgid "Print via USB" +msgstr "透過 USB 連線列印" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 +msgctxt "@info:status" +msgid "Connected via USB" +msgstr "透過 USB 連接" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +msgctxt "@label" +msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" +msgstr "USB 列印正在進行中,關閉 Cura 將停止此列印工作。你確定要繼續嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 +msgctxt "@message" +msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." +msgstr "列印仍在進行中。列印完成前,Cura 無法透過 USB 開始另一次列印。" + +#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 +msgctxt "@message" +msgid "Print in Progress" +msgstr "列印正在進行中" + +#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Prepare" +msgstr "準備" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347 +msgctxt "@info:status" +msgid "Parsing G-code" +msgstr "正在解析 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349 +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503 +msgctxt "@info:title" +msgid "G-code Details" +msgstr "G-code 細項設定" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501 +msgctxt "@info:generic" +msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." +msgstr "發送檔案之前,請確保 G-code 適用於目前印表機和印表機設定。目前 G-code 檔案可能不準確。" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "G File" +msgstr "G 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14 +msgctxt "@item:inlistbox" +msgid "JPG Image" +msgstr "JPG 圖片" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18 +msgctxt "@item:inlistbox" +msgid "JPEG Image" +msgstr "JPEG 圖片" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22 +msgctxt "@item:inlistbox" +msgid "PNG Image" +msgstr "PNG 圖片" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "BMP Image" +msgstr "BMP 圖片" + +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30 +msgctxt "@item:inlistbox" +msgid "GIF Image" +msgstr "GIF 圖片" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 +msgctxt "@action" +msgid "Level build plate" +msgstr "調整列印平台水平" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 +msgctxt "@action" +msgid "Select upgrades" +msgstr "選擇升級" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 +msgctxt "@error:not supported" +msgid "GCodeGzWriter does not support text mode." +msgstr "G-code GZ 寫入器不支援非文字模式。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 +msgctxt "@info" +msgid "Could not access update information." +msgstr "無法存取更新資訊。" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 +#, python-brace-format +msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" +msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." +msgstr "新的問題修復功能適用於您的 {machine_name}! 如果你準備好了,推薦您將列印機的軟體升級至最新版本 {latest_version}." + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 +#, python-format +msgctxt "@info:title The %s gets replaced with the printer name." +msgid "New %s stable firmware available" +msgstr "新的%s軟體已可使用" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 msgctxt "@action:button" -msgid "Finish" -msgstr "完成" +msgid "How to update" +msgstr "如何更新" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150 -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 +msgctxt "@text" +msgid "Unable to read example data file." +msgstr "無法讀取範例資料檔案." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 +msgctxt "@info:generic" +msgid "You need to quit and restart {} before changes have effect." +msgstr "你需要結束並重新啟動 {} ,更動才能生效。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 +msgctxt "@info:generic" +msgid "Syncing..." +msgstr "同步中..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 +msgctxt "@info:title" +msgid "Changes detected from your Ultimaker account" +msgstr "從你的 Ultimaker 帳號偵測到資料更動" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 +msgctxt "@info:generic" +msgid "Do you want to sync material and software packages with your account?" +msgstr "你要使用你的帳號同步線材資料和軟體套件嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 msgctxt "@action:button" -msgid "Cancel" -msgstr "取消" +msgid "Sync" +msgstr "同步" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 +msgctxt "@button" +msgid "Decline and remove from account" +msgstr "拒絕並從帳號中刪除" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 +msgctxt "@info:generic" +msgid "{} plugins failed to download" +msgstr "下載外掛 {} 失敗" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 +msgctxt "@button" +msgid "Decline" +msgstr "拒絕" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 +msgctxt "@button" +msgid "Agree" +msgstr "同意" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +msgctxt "@title:window" +msgid "Plugin License Agreement" +msgstr "外掛授權協議" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74 +msgctxt "@error:not supported" +msgid "GCodeWriter does not support non-text mode." +msgstr "G-code 寫入器不支援非文字模式。" + +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80 +#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96 +msgctxt "@warning:status" +msgid "Please prepare G-code before exporting." +msgstr "匯出前請先將 G-code 準備好。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129 +msgctxt "@info:status" +msgid "Cura does not accurately display layers when Wire Printing is enabled." +msgstr "當鐵絲網列印(Wire Printing)功能開啟時,Cura 將無法準確地顯示列印層。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130 +msgctxt "@info:title" +msgid "Simulation View" +msgstr "模擬檢視" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133 +msgctxt "@info:status" +msgid "Nothing is shown because you need to slice first." +msgstr "因為你還沒切片,沒有東西可顯示。" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134 +msgctxt "@info:title" +msgid "No layers to show" +msgstr "沒有列印層可顯示" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136 +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74 +msgctxt "@info:option_text" +msgid "Do not show this message again" +msgstr "不要再顯示這個訊息" + +# Added manually to fix a string that was changed after string freeze. +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15 +msgctxt "@item:inlistbox" +msgid "Layer view" +msgstr "分層檢視" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 +msgctxt "@action:button Preceded by 'Ready to'." +msgid "Print over network" +msgstr "網路連線列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 +msgctxt "@properties:tooltip" +msgid "Print over network" +msgstr "網路連線列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 +msgctxt "@info:status" +msgid "Connected over the network" +msgstr "透過網路連接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 +msgctxt "@info:status" +msgid "tomorrow" +msgstr "明天" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 +msgctxt "@info:status" +msgid "today" +msgstr "今天" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 +msgctxt "@action" +msgid "Connect via Network" +msgstr "透過網路連接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 +msgctxt "@info:status" +msgid "Please wait until the current job has been sent." +msgstr "請等待目前作業傳送完成。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 +msgctxt "@info:title" +msgid "Print error" +msgstr "列印錯誤" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 +msgctxt "@info:status" +msgid "Print job was successfully sent to the printer." +msgstr "列印作業已成功傳送到印表機。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 +msgctxt "@info:title" +msgid "Data Sent" +msgstr "資料傳送" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 +msgctxt "@info:status" +msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." +msgstr "你正在嘗試連接到一台未安裝 Ultimaker Connect 的印表機。請將印表機更新至最新版本的韌體。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 +msgctxt "@info:title" +msgid "Update your printer" +msgstr "更新你印表機" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 +msgctxt "@info:status" +msgid "Print job queue is full. The printer can't accept a new job." +msgstr "列印作業隊列已滿,印表機無法再接受新的作業。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 +msgctxt "@info:title" +msgid "Queue Full" +msgstr "隊列已滿" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 +msgctxt "@info:status" +msgid "Sending Print Job" +msgstr "正在傳送列印作業" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 +msgctxt "@info:status" +msgid "Uploading print job to printer." +msgstr "正在上傳列印作業到印表機。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 +#, python-brace-format +msgctxt "@info:status" +msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." +msgstr "Cura 偵測到群組 {0} 的管理主機上未安裝的線材參數。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 +msgctxt "@info:title" +msgid "Sending materials to printer" +msgstr "向印表機傳送線材參數中" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 +msgctxt "@info:text" +msgid "Could not upload the data to the printer." +msgstr "雲端服務未上傳資料到印表機。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 +msgctxt "@info:title" +msgid "Network error" +msgstr "網路錯誤" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 +#, python-brace-format +msgctxt "@info:status" +msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." +msgstr "你正在嘗試連接到 {0},但它不是印表機群組的管理者。你可以透過網頁將其設定為印表機群組的管理者。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 +msgctxt "@info:title" +msgid "Not a group host" +msgstr "不是印表機群組管理者" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 +msgctxt "@action" +msgid "Configure group" +msgstr "設定印表機群組" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 +#, python-brace-format +msgctxt "@info:status" +msgid "" +"Your printer {printer_name} could be connected via cloud.\n" +" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" +msgstr "" +"您的列印機 {printer_name} 可以透過雲端連接.\n" +"\v透過連接Digital Factory使您可以任意管理列印順序及監控列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 +msgctxt "@info:title" +msgid "Are you ready for cloud printing?" +msgstr "您準備好雲端列印嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 +msgctxt "@action" +msgid "Get started" +msgstr "開始" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 +msgctxt "@action" +msgid "Learn more" +msgstr "學習更多" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 +msgctxt "@action:button" +msgid "Print via cloud" +msgstr "透過雲端服務列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 +msgctxt "@properties:tooltip" +msgid "Print via cloud" +msgstr "透過雲端服務列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 +msgctxt "@info:status" +msgid "Connected via cloud" +msgstr "透過雲端服務連接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 +msgctxt "@action:button" +msgid "Monitor print" +msgstr "監控列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 +msgctxt "@action:tooltip" +msgid "Track the print in Ultimaker Digital Factory" +msgstr "在Ultimaker Digital Factory中追蹤您的列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 +#, python-brace-format +msgctxt "@error:send" +msgid "Unknown error code when uploading print job: {0}" +msgstr "不明上傳列印作業錯誤代碼:{0}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229 +msgctxt "info:status" +msgid "New printer detected from your Ultimaker account" +msgid_plural "New printers detected from your Ultimaker account" +msgstr[0] "從你的 Ultimaker 帳號偵測到新的印表機" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240 +#, python-brace-format +msgctxt "info:status Filled in with printer name and printer model." +msgid "Adding printer {name} ({model}) from your account" +msgstr "從你的帳號新增印表機 {name} ({model})" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257 +#, python-brace-format +msgctxt "info:{0} gets replaced by a number of printers" +msgid "... and {0} other" +msgid_plural "... and {0} others" +msgstr[0] "… 和 {0} 其他" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262 +msgctxt "info:status" +msgid "Printers added from Digital Factory:" +msgstr "從 Digital Factory 新增的印表機:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328 +msgctxt "info:status" +msgid "A cloud connection is not available for a printer" +msgid_plural "A cloud connection is not available for some printers" +msgstr[0] "印表機無法使用雲端連接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337 +msgctxt "info:status" +msgid "This printer is not linked to the Digital Factory:" +msgid_plural "These printers are not linked to the Digital Factory:" +msgstr[0] "印表機未連到 Digital Factory:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432 +msgctxt "info:name" +msgid "Ultimaker Digital Factory" +msgstr "Ultimaker Digital Factory" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346 +#, python-brace-format +msgctxt "info:status" +msgid "To establish a connection, please visit the {website_link}" +msgstr "要建立連線,請前往 {website_link}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350 +msgctxt "@action:button" +msgid "Keep printer configurations" +msgstr "保留印表機設定" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355 +msgctxt "@action:button" +msgid "Remove printers" +msgstr "移除印表機" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "{printer_name} will be removed until the next account sync." +msgstr "{printer_name} 將被移除,直到下次帳號同步之前。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "To remove {printer_name} permanently, visit {digital_factory_link}" +msgstr "要永久移除 {printer_name},請前往 {digital_factory_link}" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436 +#, python-brace-format +msgctxt "@message {printer_name} is replaced with the name of the printer" +msgid "Are you sure you want to remove {printer_name} temporarily?" +msgstr "你確定要暫時移除 {printer_name} 嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473 +msgctxt "@title:window" +msgid "Remove printers?" +msgstr "移除印表機?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476 #, python-brace-format msgctxt "@label" -msgid "Group #{group_nr}" -msgstr "群組 #{group_nr}" +msgid "" +"You are about to remove {0} printer from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgid_plural "" +"You are about to remove {0} printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr[0] "" +"你將從 Cura 移除 {0} 印表機。此動作無法復原。\n" +"你確定要繼續嗎?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85 -msgctxt "@tooltip" -msgid "Outer Wall" -msgstr "外壁" +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481 +msgctxt "@label" +msgid "" +"You are about to remove all printers from Cura. This action cannot be undone.\n" +"Are you sure you want to continue?" +msgstr "" +"你將從 Cura 移除所有印表機。此動作無法復原。\n" +"你確定要繼續嗎?" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86 -msgctxt "@tooltip" -msgid "Inner Walls" -msgstr "內壁" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15 +msgctxt "@item:inlistbox 'Open' is part of the name of this file format." +msgid "Open Compressed Triangle Mesh" +msgstr "打開壓縮的三角面網格" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87 -msgctxt "@tooltip" -msgid "Skin" -msgstr "表層" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19 +msgctxt "@item:inlistbox" +msgid "COLLADA Digital Asset Exchange" +msgstr "COLLADA Digital Asset Exchange" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88 -msgctxt "@tooltip" -msgid "Infill" -msgstr "填充" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23 +msgctxt "@item:inlistbox" +msgid "glTF Binary" +msgstr "glTF Binary" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89 -msgctxt "@tooltip" -msgid "Support Infill" -msgstr "支撐填充" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27 +msgctxt "@item:inlistbox" +msgid "glTF Embedded JSON" +msgstr "glTF Embedded JSON" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90 -msgctxt "@tooltip" -msgid "Support Interface" -msgstr "支撐介面" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36 +msgctxt "@item:inlistbox" +msgid "Stanford Triangle Format" +msgstr "Stanford 三角形格式" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91 -msgctxt "@tooltip" -msgid "Support" -msgstr "支撐" +#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40 +msgctxt "@item:inlistbox" +msgid "Compressed COLLADA Digital Asset Exchange" +msgstr "Compressed COLLADA Digital Asset Exchange" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92 -msgctxt "@tooltip" -msgid "Skirt" -msgstr "裙邊" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71 +msgctxt "@info:status" +msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." +msgstr "模型區域顯示已遺失或突出表面, 請修復您的模型並重新匯入Cura." -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93 -msgctxt "@tooltip" -msgid "Prime Tower" -msgstr "裝填塔" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73 +msgctxt "@info:title" +msgid "Model Errors" +msgstr "模型錯誤" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94 -msgctxt "@tooltip" -msgid "Travel" -msgstr "移動" +#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12 +msgctxt "@item:inmenu" +msgid "Solid view" +msgstr "實體檢視" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95 -msgctxt "@tooltip" -msgid "Retractions" -msgstr "回抽" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226 +msgctxt "@error:zip" +msgid "Error writing 3mf file." +msgstr "寫入 3mf 檔案發生錯誤。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96 -msgctxt "@tooltip" -msgid "Other" -msgstr "其它" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 +msgctxt "@error:zip" +msgid "3MF Writer plug-in is corrupt." +msgstr "3MF 寫入器外掛已損壞。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37 /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61 -msgctxt "@text:window" -msgid "The release notes could not be opened." -msgstr "發佈通知無法開啟." +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37 +msgctxt "@error" +msgid "There is no workspace yet to write. Please add a printer first." +msgstr "" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56 /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259 -msgctxt "@action:button" -msgid "Next" -msgstr "下一步" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97 +msgctxt "@error:zip" +msgid "No permission to write the workspace here." +msgstr "沒有寫入此處工作區的權限。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268 /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55 -msgctxt "@action:button" -msgid "Skip" -msgstr "略過" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101 +msgctxt "@error:zip" +msgid "The operating system does not allow saving a project file to this location or with this file name." +msgstr "操作系統不允許將專案檔案儲存到此位置或儲存為此檔名。" -#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60 /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185 /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128 -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127 -msgctxt "@action:button" -msgid "Close" -msgstr "關閉" +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26 +msgctxt "@item:inlistbox" +msgid "3MF file" +msgstr "3MF 檔案" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31 +#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34 +msgctxt "@item:inlistbox" +msgid "Cura Project 3MF file" +msgstr "Cura 專案 3MF 檔案" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14 +msgctxt "@item:inmenu" +msgid "Monitor" +msgstr "監控" + +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31 msgctxt "@info:title" msgid "3D Model Assistant" msgstr "3D 模型助手" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97 #, python-brace-format msgctxt "@info:status" msgid "" @@ -729,1483 +1783,1529 @@ msgstr "" "

    了解如何確保最佳的列印品質和可靠性。

    \n" "

    閱讀列印品質指南

    " -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead." -msgstr "專案檔案 {0} 包含未知的機器類型 {1}。機器無法被匯入,但模型將被匯入。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 +msgctxt "@label" +msgid "Mesh Type" +msgstr "網格類型" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543 -msgctxt "@info:title" -msgid "Open Project File" -msgstr "開啟專案檔案" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 +msgctxt "@label" +msgid "Normal model" +msgstr "普通模型" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is suddenly inaccessible: {1}." -msgstr "專案檔案 {0} 無法存取:{1}。" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 +msgctxt "@label" +msgid "Print as support" +msgstr "做為支撐" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649 -msgctxt "@info:title" -msgid "Can't Open Project File" -msgstr "無法開啟專案檔案" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 +msgctxt "@label" +msgid "Modify settings for overlaps" +msgstr "修改重疊處設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tags or !" -msgid "Project file {0} is corrupt: {1}." -msgstr "專案檔案{0} 已毀損 : {1}." +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 +msgctxt "@label" +msgid "Don't support overlaps" +msgstr "重疊處不建立支撐" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701 -#, python-brace-format -msgctxt "@info:error Don't translate the XML tag !" -msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura." -msgstr "專案檔案 {0} 使用了此版本 Ultimaker Cura 未知的參數製作。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203 -msgctxt "@title:tab" -msgid "Recommended" -msgstr "推薦" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205 -msgctxt "@title:tab" -msgid "Custom" -msgstr "自訂選項" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 msgctxt "@item:inlistbox" -msgid "3MF File" -msgstr "3MF 檔案" +msgid "Infill mesh only" +msgstr "只填充網格" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31 -msgctxt "@error:zip" -msgid "3MF Writer plug-in is corrupt." -msgstr "3MF 寫入器外掛已損壞。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59 /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92 -msgctxt "@error:zip" -msgid "No permission to write the workspace here." -msgstr "沒有寫入此處工作區的權限。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96 -msgctxt "@error:zip" -msgid "The operating system does not allow saving a project file to this location or with this file name." -msgstr "操作系統不允許將專案檔案儲存到此位置或儲存為此檔名。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206 -msgctxt "@error:zip" -msgid "Error writing 3mf file." -msgstr "寫入 3mf 檔案發生錯誤。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 msgctxt "@item:inlistbox" -msgid "3MF file" -msgstr "3MF 檔案" +msgid "Cutting mesh" +msgstr "切割網格" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34 -msgctxt "@item:inlistbox" -msgid "Cura Project 3MF file" -msgstr "Cura 專案 3MF 檔案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "AMF File" -msgstr "AMF 檔案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25 -msgctxt "@info:title" -msgid "Backups" -msgstr "備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error while uploading your backup." -msgstr "上傳你的備份時發生錯誤。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46 -msgctxt "@info:backup_status" -msgid "Creating your backup..." -msgstr "正在建立備份..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55 -msgctxt "@info:backup_status" -msgid "There was an error while creating your backup." -msgstr "建立備份時發生了錯誤。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59 -msgctxt "@info:backup_status" -msgid "Uploading your backup..." -msgstr "正在上傳你的備份..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69 -msgctxt "@info:backup_status" -msgid "Your backup has finished uploading." -msgstr "你的備份上傳完成。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103 -msgctxt "@error:file_size" -msgid "The backup exceeds the maximum file size." -msgstr "備份超過了最大檔案大小。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86 /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26 -msgctxt "@info:backup_status" -msgid "There was an error trying to restore your backup." -msgstr "嘗試恢復備份時發生錯誤。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69 -msgctxt "@item:inmenu" -msgid "Manage backups" -msgstr "管理備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161 -msgctxt "@message" -msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker." -msgstr "未知問題使切片失敗. 請考慮在我們的問題追蹤器內回報問題." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162 -msgctxt "@message:title" -msgid "Slicing failed" -msgstr "切片失敗" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167 -msgctxt "@message:button" -msgid "Report a bug" -msgstr "回報問題" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168 -msgctxt "@message:description" -msgid "Report a bug on Ultimaker Cura's issue tracker." -msgstr "於Ultimaker Cura問題追蹤器中回報問題." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395 -msgctxt "@info:status" -msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration." -msgstr "無法使用目前線材切片,因為它與所選機器或設定不相容。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456 -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493 -msgctxt "@info:title" -msgid "Unable to slice" -msgstr "無法切片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice with the current settings. The following settings have errors: {0}" -msgstr "無法使用目前設定進行切片。以下設定存在錯誤:{0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455 -#, python-brace-format -msgctxt "@info:status" -msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}" -msgstr "因部份模型設定問題無法進行切片。部份模型的下列設定有錯誤:{error_labels}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467 -msgctxt "@info:status" -msgid "Unable to slice because the prime tower or prime position(s) are invalid." -msgstr "無法切片(原因:換料塔或主位置無效)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479 -#, python-format -msgctxt "@info:status" -msgid "Unable to slice because there are objects associated with disabled Extruder %s." -msgstr "有物件使用了被停用的擠出機 %s ,因此無法進行切片。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489 -msgctxt "@info:status" -msgid "" -"Please review settings and check if your models:\n" -"- Fit within the build volume\n" -"- Are assigned to an enabled extruder\n" -"- Are not all set as modifier meshes" -msgstr "" -"請檢查設定並檢查你的模型是否:\n" -"- 適合列印範圍\n" -"- 分配了一個已啟用的擠出機\n" -"- 沒有全部設定成修改網格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52 /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260 -msgctxt "@info:status" -msgid "Processing Layers" -msgstr "正在處理層" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261 -msgctxt "@info:title" -msgid "Information" -msgstr "資訊" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura Profile" -msgstr "Cura 列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127 -msgctxt "@info" -msgid "Could not access update information." -msgstr "無法存取更新資訊。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17 -#, python-brace-format -msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!" -msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}." -msgstr "新的問題修復功能適用於您的 {machine_name}! 如果你準備好了,推薦您將列印機的軟體升級至最新版本 {latest_version}." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22 -#, python-format -msgctxt "@info:title The %s gets replaced with the printer name." -msgid "New %s stable firmware available" -msgstr "新的%s軟體已可使用" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28 +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 msgctxt "@action:button" -msgid "How to update" -msgstr "如何更新" +msgid "Select settings" +msgstr "選擇設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27 -msgctxt "@action" +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 +msgctxt "@title:window" +msgid "Select Settings to Customize for this model" +msgstr "選擇對此模型的自訂設定" + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 +msgctxt "@label:textbox" +msgid "Filter..." +msgstr "篩選..." + +#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 +msgctxt "@label:checkbox" +msgid "Show all" +msgstr "顯示全部" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25 +msgctxt "@title:window" +msgid "Cura Backups" +msgstr "Cura 備份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 +msgctxt "@backuplist:label" +msgid "Cura Version" +msgstr "Cura 版本" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 +msgctxt "@backuplist:label" +msgid "Machines" +msgstr "印表機" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 +msgctxt "@backuplist:label" +msgid "Materials" +msgstr "線材" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 +msgctxt "@backuplist:label" +msgid "Profiles" +msgstr "參數" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 +msgctxt "@backuplist:label" +msgid "Plugins" +msgstr "外掛" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 +msgctxt "@button" +msgid "Want more?" +msgstr "想要更多?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 +msgctxt "@button" +msgid "Backup Now" +msgstr "立即備份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 +msgctxt "@checkbox:description" +msgid "Auto Backup" +msgstr "自動備份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 +msgctxt "@checkbox:description" +msgid "Automatically create a backup each day that Cura is started." +msgstr "每天啟動 Cura 時自動建立備份。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 +msgctxt "@button" +msgid "Restore" +msgstr "復原" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 +msgctxt "@dialog:title" +msgid "Delete Backup" +msgstr "刪除備份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 +msgctxt "@dialog:info" +msgid "Are you sure you want to delete this backup? This cannot be undone." +msgstr "你確定要刪除此備份嗎? 這動作無法復原。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 +msgctxt "@dialog:title" +msgid "Restore Backup" +msgstr "復原備份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 +msgctxt "@dialog:info" +msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" +msgstr "在復原備份之前,你需要重新啟動 Cura。 你想要現在關閉 Cura 嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 +msgctxt "@description" +msgid "Backup and synchronize your Cura settings." +msgstr "備份並同步你的 Cura 設定。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53 +msgctxt "@button" +msgid "Sign in" +msgstr "登入" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 +msgctxt "@title" +msgid "My Backups" +msgstr "我的備份" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 +msgctxt "@empty_state" +msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." +msgstr "你目前沒有任何備份。 使用「立即備份」按鈕建立一個。" + +#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 +msgctxt "@backup_limit_info" +msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." +msgstr "在預覽階段限制只能顯示 5 個備份。 刪除備份以顯示較舊的備份。" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 +msgctxt "@title:label" +msgid "Printer Settings" +msgstr "印表機設定" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +msgctxt "@label" +msgid "X (Width)" +msgstr "X (寬度)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 +msgctxt "@label" +msgid "mm" +msgstr "mm" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +msgctxt "@label" +msgid "Y (Depth)" +msgstr "Y (深度)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +msgctxt "@label" +msgid "Z (Height)" +msgstr "Z (高度)" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +msgctxt "@label" +msgid "Build plate shape" +msgstr "列印平台形狀" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +msgctxt "@label" +msgid "Origin at center" +msgstr "原點位於中心" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +msgctxt "@label" +msgid "Heated bed" +msgstr "熱床" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +msgctxt "@label" +msgid "Heated build volume" +msgstr "熱箱" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +msgctxt "@label" +msgid "G-code flavor" +msgstr "G-code 類型" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 +msgctxt "@title:label" +msgid "Printhead Settings" +msgstr "列印頭設定" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +msgctxt "@label" +msgid "X min" +msgstr "X 最小值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +msgctxt "@label" +msgid "Y min" +msgstr "Y 最小值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +msgctxt "@label" +msgid "X max" +msgstr "X 最大值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +msgctxt "@label" +msgid "Y max" +msgstr "Y 最大值" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +msgctxt "@label" +msgid "Gantry Height" +msgstr "吊車高度" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +msgctxt "@label" +msgid "Number of Extruders" +msgstr "擠出機數目" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +msgctxt "@label" +msgid "Apply Extruder offsets to GCode" +msgstr "將擠出機偏移設定至Gcode" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 +msgctxt "@title:label" +msgid "Start G-code" +msgstr "起始 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 +msgctxt "@title:label" +msgid "End G-code" +msgstr "結束 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 +msgctxt "@title:label" +msgid "Nozzle Settings" +msgstr "噴頭設定" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +msgctxt "@label" +msgid "Nozzle size" +msgstr "噴頭孔徑" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +msgctxt "@label" +msgid "Compatible material diameter" +msgstr "相容的線材直徑" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +msgctxt "@label" +msgid "Nozzle offset X" +msgstr "噴頭偏移 X" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +msgctxt "@label" +msgid "Nozzle offset Y" +msgstr "噴頭偏移 Y" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +msgctxt "@label" +msgid "Cooling Fan Number" +msgstr "冷卻風扇數量" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 +msgctxt "@title:label" +msgid "Extruder Start G-code" +msgstr "擠出機起始 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 +msgctxt "@title:label" +msgid "Extruder End G-code" +msgstr "擠出機結束 G-code" + +#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +msgctxt "@title:tab" +msgid "Printer" +msgstr "印表機" + +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 +msgctxt "@title" msgid "Update Firmware" msgstr "更新韌體" -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17 -msgctxt "@item:inlistbox" -msgid "Compressed G-code File" -msgstr "壓縮 G-code 檔案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43 -msgctxt "@error:not supported" -msgid "GCodeGzWriter does not support text mode." -msgstr "G-code GZ 寫入器不支援非文字模式。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16 -msgctxt "@item:inlistbox" -msgid "G-code File" -msgstr "G-code 檔案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347 -msgctxt "@info:status" -msgid "Parsing G-code" -msgstr "正在解析 G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503 -msgctxt "@info:title" -msgid "G-code Details" -msgstr "G-code 細項設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501 -msgctxt "@info:generic" -msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate." -msgstr "發送檔案之前,請確保 G-code 適用於目前印表機和印表機設定。目前 G-code 檔案可能不準確。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "G File" -msgstr "G 檔案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74 -msgctxt "@error:not supported" -msgid "GCodeWriter does not support non-text mode." -msgstr "G-code 寫入器不支援非文字模式。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80 /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96 -msgctxt "@warning:status" -msgid "Please prepare G-code before exporting." -msgstr "匯出前請先將 G-code 準備好。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "JPG Image" -msgstr "JPG 圖片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18 -msgctxt "@item:inlistbox" -msgid "JPEG Image" -msgstr "JPEG 圖片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22 -msgctxt "@item:inlistbox" -msgid "PNG Image" -msgstr "PNG 圖片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26 -msgctxt "@item:inlistbox" -msgid "BMP Image" -msgstr "BMP 圖片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30 -msgctxt "@item:inlistbox" -msgid "GIF Image" -msgstr "GIF 圖片" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14 -msgctxt "@item:inlistbox" -msgid "Cura 15.04 profiles" -msgstr "Cura 15.04 列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32 -msgctxt "@action" -msgid "Machine Settings" -msgstr "印表機設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14 -msgctxt "@item:inmenu" -msgid "Monitor" -msgstr "監控" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 msgctxt "@label" -msgid "Per Model Settings" -msgstr "單一模型設定" +msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." +msgstr "韌體是直接在 3D 印表機上運行的一個軟體。此韌體控制步進馬達,調節溫度讓印表機正常運作。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15 -msgctxt "@info:tooltip" -msgid "Configure Per Model Settings" -msgstr "設定對每個模型的單獨設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35 -msgctxt "@item:inmenu" -msgid "Post Processing" -msgstr "後處理" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36 -msgctxt "@item:inmenu" -msgid "Modify G-Code" -msgstr "修改 G-Code 檔案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Prepare" -msgstr "準備" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13 -msgctxt "@item:inmenu" -msgid "Preview" -msgstr "預覽" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Save to Removable Drive" -msgstr "儲存至行動裝置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24 -#, python-brace-format -msgctxt "@item:inlistbox" -msgid "Save to Removable Drive {0}" -msgstr "儲存到行動裝置 {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118 -msgctxt "@info:status" -msgid "There are no file formats available to write with!" -msgstr "沒有可供寫入的檔案格式!" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97 -#, python-brace-format -msgctxt "@info:progress Don't translate the XML tags !" -msgid "Saving to Removable Drive {0}" -msgstr "正在儲存到行動裝置 {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98 -msgctxt "@info:title" -msgid "Saving" -msgstr "儲存中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111 -#, python-brace-format -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not save to {0}: {1}" -msgstr "無法儲存到 {0}{1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127 -#, python-brace-format -msgctxt "@info:status Don't translate the tag {device}!" -msgid "Could not find a file name when trying to write to {device}." -msgstr "嘗試寫入到 {device} 時無法找到檔名。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140 /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159 -#, python-brace-format -msgctxt "@info:status" -msgid "Could not save to removable drive {0}: {1}" -msgstr "無法儲存到行動裝置 {0}:{1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150 -#, python-brace-format -msgctxt "@info:status" -msgid "Saved to Removable Drive {0} as {1}" -msgstr "儲存到行動裝置 {0}:{1}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151 -msgctxt "@info:title" -msgid "File Saved" -msgstr "檔案已儲存" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -msgctxt "@action:button" -msgid "Eject" -msgstr "卸載" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153 -#, python-brace-format -msgctxt "@action" -msgid "Eject removable device {0}" -msgstr "卸載行動裝置 {0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172 -#, python-brace-format -msgctxt "@info:status" -msgid "Ejected {0}. You can now safely remove the drive." -msgstr "已卸載 {0}。現在你可以安全地移除行動裝置。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173 -msgctxt "@info:title" -msgid "Safely Remove Hardware" -msgstr "安全移除硬體" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176 -#, python-brace-format -msgctxt "@info:status" -msgid "Failed to eject {0}. Another program may be using the drive." -msgstr "無法卸載 {0},可能有其它程式正在使用行動裝置。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76 -msgctxt "@item:intext" -msgid "Removable Drive" -msgstr "行動裝置" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129 -msgctxt "@info:status" -msgid "Cura does not accurately display layers when Wire Printing is enabled." -msgstr "當鐵絲網列印(Wire Printing)功能開啟時,Cura 將無法準確地顯示列印層。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130 -msgctxt "@info:title" -msgid "Simulation View" -msgstr "模擬檢視" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133 -msgctxt "@info:status" -msgid "Nothing is shown because you need to slice first." -msgstr "因為你還沒切片,沒有東西可顯示。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134 -msgctxt "@info:title" -msgid "No layers to show" -msgstr "沒有列印層可顯示" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136 /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74 -msgctxt "@info:option_text" -msgid "Do not show this message again" -msgstr "不要再顯示這個訊息" - -# Added manually to fix a string that was changed after string freeze. -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15 -msgctxt "@item:inlistbox" -msgid "Layer view" -msgstr "分層檢視" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95 -msgctxt "@text" -msgid "Unable to read example data file." -msgstr "無法讀取範例資料檔案." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71 -msgctxt "@info:status" -msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura." -msgstr "模型區域顯示已遺失或突出表面, 請修復您的模型並重新匯入Cura." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73 -msgctxt "@info:title" -msgid "Model Errors" -msgstr "模型錯誤" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12 -msgctxt "@item:inmenu" -msgid "Solid view" -msgstr "實體檢視" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 msgctxt "@label" -msgid "Support Blocker" -msgstr "支撐阻斷器" +msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." +msgstr "新印表機出廠配備的韌體完全可以正常使用,但新版本往往具有更多的新功能和改進。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13 -msgctxt "@info:tooltip" -msgid "Create a volume in which supports are not printed." -msgstr "建立一塊不列印支撐的空間。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142 -msgctxt "@info:generic" -msgid "Do you want to sync material and software packages with your account?" -msgstr "你要使用你的帳號同步線材資料和軟體套件嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95 -msgctxt "@info:title" -msgid "Changes detected from your Ultimaker account" -msgstr "從你的 Ultimaker 帳號偵測到資料更動" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 msgctxt "@action:button" -msgid "Sync" -msgstr "同步" +msgid "Automatically upgrade Firmware" +msgstr "自動升級韌體" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91 -msgctxt "@info:generic" -msgid "Syncing..." -msgstr "同步中..." +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 +msgctxt "@action:button" +msgid "Upload custom Firmware" +msgstr "上傳自訂韌體" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9 -msgctxt "@button" -msgid "Decline" -msgstr "拒絕" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 +msgctxt "@label" +msgid "Firmware can not be updated because there is no connection with the printer." +msgstr "因為沒有與印表機連線,無法更新韌體。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56 -msgctxt "@button" -msgid "Agree" -msgstr "同意" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 +msgctxt "@label" +msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." +msgstr "因為連線的印表機不支援更新韌體,無法更新韌體。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 msgctxt "@title:window" -msgid "Plugin License Agreement" -msgstr "外掛授權協議" +msgid "Select custom firmware" +msgstr "選擇自訂韌體" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41 -msgctxt "@button" -msgid "Decline and remove from account" -msgstr "拒絕並從帳號中刪除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19 -msgctxt "@info:generic" -msgid "You need to quit and restart {} before changes have effect." -msgstr "你需要結束並重新啟動 {} ,更動才能生效。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79 -msgctxt "@info:generic" -msgid "{} plugins failed to download" -msgstr "下載外掛 {} 失敗" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15 -msgctxt "@item:inlistbox 'Open' is part of the name of this file format." -msgid "Open Compressed Triangle Mesh" -msgstr "打開壓縮的三角面網格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19 -msgctxt "@item:inlistbox" -msgid "COLLADA Digital Asset Exchange" -msgstr "COLLADA Digital Asset Exchange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23 -msgctxt "@item:inlistbox" -msgid "glTF Binary" -msgstr "glTF Binary" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27 -msgctxt "@item:inlistbox" -msgid "glTF Embedded JSON" -msgstr "glTF Embedded JSON" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36 -msgctxt "@item:inlistbox" -msgid "Stanford Triangle Format" -msgstr "Stanford 三角形格式" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40 -msgctxt "@item:inlistbox" -msgid "Compressed COLLADA Digital Asset Exchange" -msgstr "Compressed COLLADA Digital Asset Exchange" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28 -msgctxt "@item:inlistbox" -msgid "Ultimaker Format Package" -msgstr "Ultimaker 格式的封包" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94 /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159 -msgctxt "@info:error" -msgid "Can't write to UFP file:" -msgstr "無法寫入 UFP 檔案:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24 -msgctxt "@action" -msgid "Level build plate" -msgstr "調整列印平台水平" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21 -msgctxt "@action" -msgid "Select upgrades" -msgstr "選擇升級" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154 -msgctxt "@action:button" -msgid "Print via cloud" -msgstr "透過雲端服務列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155 -msgctxt "@properties:tooltip" -msgid "Print via cloud" -msgstr "透過雲端服務列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156 -msgctxt "@info:status" -msgid "Connected via cloud" -msgstr "透過雲端服務連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261 -msgctxt "@action:button" -msgid "Monitor print" -msgstr "監控列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263 -msgctxt "@action:tooltip" -msgid "Track the print in Ultimaker Digital Factory" -msgstr "在Ultimaker Digital Factory中追蹤您的列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279 -#, python-brace-format -msgctxt "@error:send" -msgid "Unknown error code when uploading print job: {0}" -msgstr "不明上傳列印作業錯誤代碼:{0}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222 -msgctxt "info:status" -msgid "New printer detected from your Ultimaker account" -msgid_plural "New printers detected from your Ultimaker account" -msgstr[0] "從你的 Ultimaker 帳號偵測到新的印表機" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233 -#, python-brace-format -msgctxt "info:status Filled in with printer name and printer model." -msgid "Adding printer {name} ({model}) from your account" -msgstr "從你的帳號新增印表機 {name} ({model})" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250 -#, python-brace-format -msgctxt "info:{0} gets replaced by a number of printers" -msgid "... and {0} other" -msgid_plural "... and {0} others" -msgstr[0] "… 和 {0} 其他" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255 -msgctxt "info:status" -msgid "Printers added from Digital Factory:" -msgstr "從 Digital Factory 新增的印表機:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311 -msgctxt "info:status" -msgid "A cloud connection is not available for a printer" -msgid_plural "A cloud connection is not available for some printers" -msgstr[0] "印表機無法使用雲端連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320 -msgctxt "info:status" -msgid "This printer is not linked to the Digital Factory:" -msgid_plural "These printers are not linked to the Digital Factory:" -msgstr[0] "印表機未連到 Digital Factory:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415 -msgctxt "info:name" -msgid "Ultimaker Digital Factory" -msgstr "Ultimaker Digital Factory" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329 -#, python-brace-format -msgctxt "info:status" -msgid "To establish a connection, please visit the {website_link}" -msgstr "要建立連線,請前往 {website_link}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333 -msgctxt "@action:button" -msgid "Keep printer configurations" -msgstr "保留印表機設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338 -msgctxt "@action:button" -msgid "Remove printers" -msgstr "移除印表機" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "{printer_name} will be removed until the next account sync." -msgstr "{printer_name} 將被移除,直到下次帳號同步之前。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "To remove {printer_name} permanently, visit {digital_factory_link}" -msgstr "要永久移除 {printer_name},請前往 {digital_factory_link}" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419 -#, python-brace-format -msgctxt "@message {printer_name} is replaced with the name of the printer" -msgid "Are you sure you want to remove {printer_name} temporarily?" -msgstr "你確定要暫時移除 {printer_name} 嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 msgctxt "@title:window" -msgid "Remove printers?" -msgstr "移除印表機?" +msgid "Firmware Update" +msgstr "韌體更新" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459 -#, python-brace-format +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 msgctxt "@label" -msgid "" -"You are about to remove {0} printer from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgid_plural "" -"You are about to remove {0} printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr[0] "" -"你將從 Cura 移除 {0} 印表機。此動作無法復原。\n" -"你確定要繼續嗎?" +msgid "Updating firmware." +msgstr "更新韌體中..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 msgctxt "@label" -msgid "" -"You are about to remove all printers from Cura. This action cannot be undone.\n" -"Are you sure you want to continue?" -msgstr "" -"你將從 Cura 移除所有印表機。此動作無法復原。\n" -"你確定要繼續嗎?" +msgid "Firmware update completed." +msgstr "韌體更新已完成。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25 -#, python-brace-format -msgctxt "@info:status" -msgid "" -"Your printer {printer_name} could be connected via cloud.\n" -" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory" -msgstr "" -"您的列印機 {printer_name} 可以透過雲端連接.\n" -"\v透過連接Digital Factory使您可以任意管理列印順序及監控列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26 -msgctxt "@info:title" -msgid "Are you ready for cloud printing?" -msgstr "您準備好雲端列印嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30 -msgctxt "@action" -msgid "Get started" -msgstr "開始" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31 -msgctxt "@action" -msgid "Learn more" -msgstr "學習更多" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18 -msgctxt "@info:status" -msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware." -msgstr "你正在嘗試連接到一台未安裝 Ultimaker Connect 的印表機。請將印表機更新至最新版本的韌體。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21 -msgctxt "@info:title" -msgid "Update your printer" -msgstr "更新你印表機" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24 -#, python-brace-format -msgctxt "@info:status" -msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}." -msgstr "Cura 偵測到群組 {0} 的管理主機上未安裝的線材參數。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26 -msgctxt "@info:title" -msgid "Sending materials to printer" -msgstr "向印表機傳送線材參數中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27 -#, python-brace-format -msgctxt "@info:status" -msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host." -msgstr "你正在嘗試連接到 {0},但它不是印表機群組的管理者。你可以透過網頁將其設定為印表機群組的管理者。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30 -msgctxt "@info:title" -msgid "Not a group host" -msgstr "不是印表機群組管理者" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36 -msgctxt "@action" -msgid "Configure group" -msgstr "設定印表機群組" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15 -msgctxt "@info:status" -msgid "Please wait until the current job has been sent." -msgstr "請等待目前作業傳送完成。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16 -msgctxt "@info:title" -msgid "Print error" -msgstr "列印錯誤" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15 -msgctxt "@info:text" -msgid "Could not upload the data to the printer." -msgstr "雲端服務未上傳資料到印表機。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16 -msgctxt "@info:title" -msgid "Network error" -msgstr "網路錯誤" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15 -msgctxt "@info:status" -msgid "Sending Print Job" -msgstr "正在傳送列印作業" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16 -msgctxt "@info:status" -msgid "Uploading print job to printer." -msgstr "正在上傳列印作業到印表機。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16 -msgctxt "@info:status" -msgid "Print job queue is full. The printer can't accept a new job." -msgstr "列印作業隊列已滿,印表機無法再接受新的作業。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17 -msgctxt "@info:title" -msgid "Queue Full" -msgstr "隊列已滿" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15 -msgctxt "@info:status" -msgid "Print job was successfully sent to the printer." -msgstr "列印作業已成功傳送到印表機。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16 -msgctxt "@info:title" -msgid "Data Sent" -msgstr "資料傳送" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print over network" -msgstr "網路連線列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59 -msgctxt "@properties:tooltip" -msgid "Print over network" -msgstr "網路連線列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60 -msgctxt "@info:status" -msgid "Connected over the network" -msgstr "透過網路連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28 -msgctxt "@action" -msgid "Connect via Network" -msgstr "透過網路連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27 -msgctxt "@info:status" -msgid "tomorrow" -msgstr "明天" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30 -msgctxt "@info:status" -msgid "today" -msgstr "今天" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42 -msgctxt "@item:inmenu" -msgid "USB printing" -msgstr "USB 連線列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43 -msgctxt "@action:button Preceded by 'Ready to'." -msgid "Print via USB" -msgstr "透過 USB 連線列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44 -msgctxt "@info:tooltip" -msgid "Print via USB" -msgstr "透過 USB 連線列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80 -msgctxt "@info:status" -msgid "Connected via USB" -msgstr "透過 USB 連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110 +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 msgctxt "@label" -msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?" -msgstr "USB 列印正在進行中,關閉 Cura 將停止此列印工作。你確定要繼續嗎?" +msgid "Firmware update failed due to an unknown error." +msgstr "由於未知錯誤,韌體更新失敗。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135 -msgctxt "@message" -msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed." -msgstr "列印仍在進行中。列印完成前,Cura 無法透過 USB 開始另一次列印。" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 +msgctxt "@label" +msgid "Firmware update failed due to an communication error." +msgstr "由於通訊錯誤,導致韌體更新失敗。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136 -msgctxt "@message" -msgid "Print in Progress" -msgstr "列印正在進行中" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 +msgctxt "@label" +msgid "Firmware update failed due to an input/output error." +msgstr "由於輸入/輸出錯誤,導致韌體更新失敗。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13 -msgctxt "@item:inlistbox" -msgid "X3D File" -msgstr "X3D 檔案" +#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 +msgctxt "@label" +msgid "Firmware update failed due to missing firmware." +msgstr "由於韌體遺失,導致韌體更新失敗。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12 -msgctxt "@item:inlistbox" -msgid "X-Ray view" -msgstr "透視檢視" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22 -msgctxt "@info:tooltip" -msgid "Some things could be problematic in this print. Click to see tips for adjustment." -msgstr "此列印可能會有些問題。點擊查看調整提示。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15 msgctxt "@title:window" msgid "Open Project" msgstr "開啟專案" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62 msgctxt "@action:ComboBox Update/override existing profile" msgid "Update existing" msgstr "更新已有設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63 msgctxt "@action:ComboBox Save settings in a new profile" msgid "Create new" msgstr "新建設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70 msgctxt "@action:title" msgid "Summary - Cura Project" msgstr "摘要 - Cura 專案" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94 msgctxt "@action:label" msgid "Printer settings" msgstr "印表機設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113 msgctxt "@info:tooltip" msgid "How should the conflict in the machine be resolved?" msgstr "如何解決機器的設定衝突?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103 msgctxt "@action:label" msgid "Type" msgstr "類型" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 msgctxt "@action:label" msgid "Printer Group" msgstr "印表機群組" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219 msgctxt "@action:label" msgid "Profile settings" msgstr "列印參數設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221 msgctxt "@info:tooltip" msgid "How should the conflict in the profile be resolved?" msgstr "如何解决列印參數中的設定衝突?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243 msgctxt "@action:label" msgid "Name" msgstr "名稱" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260 msgctxt "@action:label" msgid "Intent" msgstr "意圖" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227 msgctxt "@action:label" msgid "Not in profile" msgstr "不在列印參數中" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232 msgctxt "@action:label" msgid "%1 override" msgid_plural "%1 overrides" msgstr[0] "%1 覆寫" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290 msgctxt "@action:label" msgid "Derivative from" msgstr "衍生自" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295 msgctxt "@action:label" msgid "%1, %2 override" msgid_plural "%1, %2 overrides" msgstr[0] "%1, %2 覆寫" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312 msgctxt "@action:label" msgid "Material settings" msgstr "線材設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328 msgctxt "@info:tooltip" msgid "How should the conflict in the material be resolved?" msgstr "如何解决線材的設定衝突?" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373 msgctxt "@action:label" msgid "Setting visibility" msgstr "參數顯示設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382 msgctxt "@action:label" msgid "Mode" msgstr "模式" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398 msgctxt "@action:label" msgid "Visible settings:" msgstr "顯示設定:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403 msgctxt "@action:label" msgid "%1 out of %2" msgstr "%1 / %2" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429 msgctxt "@action:warning" msgid "Loading a project will clear all models on the build plate." msgstr "載入專案時將清除列印平台上的所有模型。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 +#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457 msgctxt "@action:button" msgid "Open" msgstr "開啟" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22 -msgctxt "@button" -msgid "Want more?" -msgstr "想要更多?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31 -msgctxt "@button" -msgid "Backup Now" -msgstr "立即備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43 -msgctxt "@checkbox:description" -msgid "Auto Backup" -msgstr "自動備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44 -msgctxt "@checkbox:description" -msgid "Automatically create a backup each day that Cura is started." -msgstr "每天啟動 Cura 時自動建立備份。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71 -msgctxt "@button" -msgid "Restore" -msgstr "復原" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100 -msgctxt "@dialog:title" -msgid "Delete Backup" -msgstr "刪除備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101 -msgctxt "@dialog:info" -msgid "Are you sure you want to delete this backup? This cannot be undone." -msgstr "你確定要刪除此備份嗎? 這動作無法復原。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109 -msgctxt "@dialog:title" -msgid "Restore Backup" -msgstr "復原備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110 -msgctxt "@dialog:info" -msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?" -msgstr "在復原備份之前,你需要重新啟動 Cura。 你想要現在關閉 Cura 嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21 -msgctxt "@backuplist:label" -msgid "Cura Version" -msgstr "Cura 版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29 -msgctxt "@backuplist:label" -msgid "Machines" -msgstr "印表機" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37 -msgctxt "@backuplist:label" -msgid "Materials" -msgstr "線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45 -msgctxt "@backuplist:label" -msgid "Profiles" -msgstr "參數" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53 -msgctxt "@backuplist:label" -msgid "Plugins" -msgstr "外掛" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 msgctxt "@title:window" -msgid "Cura Backups" -msgstr "Cura 備份" +msgid "Post Processing Plugin" +msgstr "後處理外掛" -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28 -msgctxt "@title" -msgid "My Backups" -msgstr "我的備份" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38 -msgctxt "@empty_state" -msgid "You don't have any backups currently. Use the 'Backup Now' button to create one." -msgstr "你目前沒有任何備份。 使用「立即備份」按鈕建立一個。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60 -msgctxt "@backup_limit_info" -msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones." -msgstr "在預覽階段限制只能顯示 5 個備份。 刪除備份以顯示較舊的備份。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34 -msgctxt "@description" -msgid "Backup and synchronize your Cura settings." -msgstr "備份並同步你的 Cura 設定。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39 /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225 -msgctxt "@button" -msgid "Sign in" -msgstr "登入" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31 -msgctxt "@title" -msgid "Update Firmware" -msgstr "更新韌體" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 msgctxt "@label" -msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work." -msgstr "韌體是直接在 3D 印表機上運行的一個軟體。此韌體控制步進馬達,調節溫度讓印表機正常運作。" +msgid "Post Processing Scripts" +msgstr "後處理腳本" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46 +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 +msgctxt "@action" +msgid "Add a script" +msgstr "添加一個腳本" + +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 msgctxt "@label" -msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements." -msgstr "新印表機出廠配備的韌體完全可以正常使用,但新版本往往具有更多的新功能和改進。" +msgid "Settings" +msgstr "設定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58 -msgctxt "@action:button" -msgid "Automatically upgrade Firmware" -msgstr "自動升級韌體" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +msgctxt "@info:tooltip" +msgid "Change active post-processing scripts." +msgstr "更改目前啟用的後處理腳本。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69 -msgctxt "@action:button" -msgid "Upload custom Firmware" -msgstr "上傳自訂韌體" +#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +msgctxt "@info:tooltip" +msgid "The following script is active:" +msgid_plural "The following scripts are active:" +msgstr[0] "下列為啟用中的腳本:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83 -msgctxt "@label" -msgid "Firmware can not be updated because there is no connection with the printer." -msgstr "因為沒有與印表機連線,無法更新韌體。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91 -msgctxt "@label" -msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware." -msgstr "因為連線的印表機不支援更新韌體,無法更新韌體。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98 -msgctxt "@title:window" -msgid "Select custom firmware" -msgstr "選擇自訂韌體" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119 -msgctxt "@title:window" -msgid "Firmware Update" -msgstr "韌體更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143 -msgctxt "@label" -msgid "Updating firmware." -msgstr "更新韌體中..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145 -msgctxt "@label" -msgid "Firmware update completed." -msgstr "韌體更新已完成。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147 -msgctxt "@label" -msgid "Firmware update failed due to an unknown error." -msgstr "由於未知錯誤,韌體更新失敗。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149 -msgctxt "@label" -msgid "Firmware update failed due to an communication error." -msgstr "由於通訊錯誤,導致韌體更新失敗。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151 -msgctxt "@label" -msgid "Firmware update failed due to an input/output error." -msgstr "由於輸入/輸出錯誤,導致韌體更新失敗。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153 -msgctxt "@label" -msgid "Firmware update failed due to missing firmware." -msgstr "由於韌體遺失,導致韌體更新失敗。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19 msgctxt "@title:window" msgid "Convert Image..." msgstr "轉換圖片..." -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33 msgctxt "@info:tooltip" msgid "The maximum distance of each pixel from \"Base.\"" msgstr "每個像素與底板的最大距離。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38 msgctxt "@action:label" msgid "Height (mm)" msgstr "高度 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56 msgctxt "@info:tooltip" msgid "The base height from the build plate in millimeters." msgstr "距離列印平台的底板高度,以毫米為單位。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61 msgctxt "@action:label" msgid "Base (mm)" msgstr "底板 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79 msgctxt "@info:tooltip" msgid "The width in millimeters on the build plate." msgstr "列印平台寬度,以毫米為單位。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84 msgctxt "@action:label" msgid "Width (mm)" msgstr "寬度 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103 msgctxt "@info:tooltip" msgid "The depth in millimeters on the build plate" msgstr "列印平台深度,以毫米為單位" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108 msgctxt "@action:label" msgid "Depth (mm)" msgstr "深度 (mm)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126 msgctxt "@info:tooltip" msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model." msgstr "若要列印浮雕,深色像素應該對應到較厚的位置,以阻擋更多的光通過。若要列印高度圖,淺色像素表示較高的地形,因此淺色像素應對應於產生的 3D 模型中較厚的位置。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Darker is higher" msgstr "顏色越深高度越高" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139 msgctxt "@item:inlistbox" msgid "Lighter is higher" msgstr "顏色越淺高度越高" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149 msgctxt "@info:tooltip" msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly." msgstr "若要列印浮雕,使用一個簡易的對數模型計算半透明效果。若要列印高度圖,將像素值線性對應到高度。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 msgctxt "@item:inlistbox" msgid "Linear" msgstr "線性" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161 /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172 msgctxt "@item:inlistbox" msgid "Translucency" msgstr "半透明" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171 msgctxt "@info:tooltip" msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image." msgstr "光線穿透 1mm 厚度列印件的百分比。降低此值可增加暗部的對比度,並降低亮部的對比度。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177 msgctxt "@action:label" msgid "1mm Transmittance (%)" msgstr "1mm 透明度" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195 msgctxt "@info:tooltip" msgid "The amount of smoothing to apply to the image." msgstr "影像平滑程度。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200 msgctxt "@action:label" msgid "Smoothing" msgstr "平滑" -#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227 /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 +#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227 +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361 msgctxt "@action:button" msgid "OK" msgstr "確定" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42 +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 +msgctxt "@label" +msgid "Please select any upgrades made to this Ultimaker Original" +msgstr "請選擇適用於 Ultimaker Original 的更新檔案" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 +msgctxt "@label" +msgid "Heated Build Plate (official kit or self-built)" +msgstr "熱床(官方版本或自製版本)" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 +msgctxt "@title" +msgid "Build Plate Leveling" +msgstr "列印平台調整水平" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 +msgctxt "@label" +msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." +msgstr "為了確保列印品質出色,你現在可以開始調整你的列印平台。當你點擊「移動到下一個位置」時,噴頭將移動到不同的可調節位置。" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 +msgctxt "@label" +msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." +msgstr "在噴頭停止的每一個位置下方插入一張紙,並調整平台高度。當紙張恰好被噴頭的尖端輕微壓住時,表示列印平台已被校準在正確的高度。" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 +msgctxt "@action:button" +msgid "Start Build Plate Leveling" +msgstr "開始進行列印平台調平" + +#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 +msgctxt "@action:button" +msgid "Move to Next Position" +msgstr "移動到下一個位置" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 +msgctxt "@title:window" +msgid "More information on anonymous data collection" +msgstr "更多關於匿名資料收集的資訊" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 +msgctxt "@text:window" +msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" +msgstr "Ultimaker Cura 搜集匿名資料以提高列印品質和使用者體驗。以下是共享資料的範例:" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 +msgctxt "@text:window" +msgid "I don't want to send anonymous data" +msgstr "我不想傳送匿名資料" + +#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 +msgctxt "@text:window" +msgid "Allow sending anonymous data" +msgstr "允許傳送匿名資料" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 +msgctxt "@title" +msgid "Marketplace" +msgstr "市集" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 +msgctxt "@info" +msgid "You will need to restart Cura before changes in packages have effect." +msgstr "需重新啟動 Cura,套件的更動才能生效。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 +msgctxt "@info:button, %1 is the application name" +msgid "Quit %1" +msgstr "結束 %1" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 +msgctxt "@action:button" +msgid "Install" +msgstr "安裝" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 +msgctxt "@action:button" +msgid "Installed" +msgstr "已安裝" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 +msgctxt "@label" +msgid "Premium" +msgstr "付費會員" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +msgctxt "@info:tooltip" +msgid "Go to Web Marketplace" +msgstr "前往網路市集" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +msgctxt "@label" +msgid "Search materials" +msgstr "搜尋線材" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 +msgctxt "@label" +msgid "Compatibility" +msgstr "相容性" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 +msgctxt "@label:table_header" +msgid "Machine" +msgstr "機器" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 +msgctxt "@label:table_header" +msgid "Build Plate" +msgstr "列印平台" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 +msgctxt "@label:table_header" +msgid "Support" +msgstr "支撐" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 +msgctxt "@label:table_header" +msgid "Quality" +msgstr "品質" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 +msgctxt "@action:label" +msgid "Technical Data Sheet" +msgstr "技術資料表" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 +msgctxt "@action:label" +msgid "Safety Data Sheet" +msgstr "安全資料表" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 +msgctxt "@action:label" +msgid "Printing Guidelines" +msgstr "列印指南" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 +msgctxt "@action:label" +msgid "Website" +msgstr "網站" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to install or update" +msgstr "需要登入才能進行安裝或升級" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 +msgctxt "@label:The string between and is the highlighted link" +msgid "Buy material spools" +msgstr "購買線材線軸" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 +msgctxt "@action:button" +msgid "Update" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 +msgctxt "@action:button" +msgid "Updating" +msgstr "更新中" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 +msgctxt "@action:button" +msgid "Updated" +msgstr "更新完成" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 +msgctxt "@action:button" +msgid "Back" +msgstr "返回" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 msgctxt "@title:tab" -msgid "Printer" -msgstr "印表機" +msgid "Plugins" +msgstr "外掛" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63 -msgctxt "@title:label" -msgid "Nozzle Settings" -msgstr "噴頭設定" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475 +msgctxt "@title:tab" +msgid "Materials" +msgstr "線材" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 +msgctxt "@title:tab" +msgid "Installed" +msgstr "已安裝" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 msgctxt "@label" -msgid "Nozzle size" -msgstr "噴頭孔徑" +msgid "Will install upon restarting" +msgstr "將在重新啟動時安裝" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225 -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265 /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 +msgctxt "@label:The string between and is the highlighted link" +msgid "Log in is required to update" +msgstr "需要登入才能進行升級" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Downgrade" +msgstr "降級版本" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +msgctxt "@action:button" +msgid "Uninstall" +msgstr "移除" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "mm" -msgstr "mm" +msgid "Community Contributions" +msgstr "社群貢獻" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 msgctxt "@label" -msgid "Compatible material diameter" -msgstr "相容的線材直徑" +msgid "Community Plugins" +msgstr "社群外掛" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 msgctxt "@label" -msgid "Nozzle offset X" -msgstr "噴頭偏移 X" +msgid "Generic Materials" +msgstr "通用線材" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 +msgctxt "@info" +msgid "Fetching packages..." +msgstr "取得套件..." + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 msgctxt "@label" -msgid "Nozzle offset Y" -msgstr "噴頭偏移 Y" +msgid "Website" +msgstr "網站" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 msgctxt "@label" -msgid "Cooling Fan Number" -msgstr "冷卻風扇數量" +msgid "Email" +msgstr "電子郵件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163 -msgctxt "@title:label" -msgid "Extruder Start G-code" -msgstr "擠出機起始 G-code" +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 +msgctxt "@description" +msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" +msgstr "請登入以取得 Ultimaker Cura Enterprise 驗証的外掛及線材" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177 -msgctxt "@title:label" -msgid "Extruder End G-code" -msgstr "擠出機結束 G-code" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56 -msgctxt "@title:label" -msgid "Printer Settings" -msgstr "印表機設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 msgctxt "@label" -msgid "X (Width)" -msgstr "X (寬度)" +msgid "Version" +msgstr "版本" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 msgctxt "@label" -msgid "Y (Depth)" -msgstr "Y (深度)" +msgid "Last updated" +msgstr "最後更新時間" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 msgctxt "@label" -msgid "Z (Height)" -msgstr "Z (高度)" +msgid "Brand" +msgstr "品牌" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 msgctxt "@label" -msgid "Build plate shape" -msgstr "列印平台形狀" +msgid "Downloads" +msgstr "下載" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 +msgctxt "@title:tab" +msgid "Installed plugins" +msgstr "已安裝外掛" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 +msgctxt "@info" +msgid "No plugin has been installed." +msgstr "尚未安裝任何外掛。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 +msgctxt "@title:tab" +msgid "Installed materials" +msgstr "已安裝線材" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 +msgctxt "@info" +msgid "No material has been installed." +msgstr "尚未安裝任何線材。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 +msgctxt "@title:tab" +msgid "Bundled plugins" +msgstr "捆綁式外掛" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 +msgctxt "@title:tab" +msgid "Bundled materials" +msgstr "捆綁式線材" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 +msgctxt "@info" +msgid "Could not connect to the Cura Package database. Please check your connection." +msgstr "無法連上 Cura 套件資料庫。請檢查你的網路連線。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 msgctxt "@label" -msgid "Origin at center" -msgstr "原點位於中心" +msgid "You need to accept the license to install the package" +msgstr "你必需同意授權協議才能安裝套件" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 +msgctxt "@title" +msgid "Changes from your account" +msgstr "你帳戶的更動" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +msgctxt "@button" +msgid "Dismiss" +msgstr "捨棄" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 +msgctxt "@button" +msgid "Next" +msgstr "下一步" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 msgctxt "@label" -msgid "Heated bed" -msgstr "熱床" +msgid "The following packages will be added:" +msgstr "將新增下列套件:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 msgctxt "@label" -msgid "Heated build volume" -msgstr "熱箱" +msgid "The following packages can not be installed because of an incompatible Cura version:" +msgstr "下列套件因 Cura 版本不相容,無法安裝:" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163 +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 +msgctxt "@title:window" +msgid "Confirm uninstall" +msgstr "移除確認" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 +msgctxt "@text:window" +msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." +msgstr "你正在移除仍被使用的線材/列印設定。確認後會將下列耗材/列印設定重設為預設值。" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 +msgctxt "@text:window" +msgid "Materials" +msgstr "線材" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 +msgctxt "@text:window" +msgid "Profiles" +msgstr "參數" + +#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 +msgctxt "@action:button" +msgid "Confirm" +msgstr "確定" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 msgctxt "@label" -msgid "G-code flavor" -msgstr "G-code 類型" +msgid "Color scheme" +msgstr "顏色方案" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187 -msgctxt "@title:label" -msgid "Printhead Settings" -msgstr "列印頭設定" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 +msgctxt "@label:listbox" +msgid "Material Color" +msgstr "線材顏色" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 +msgctxt "@label:listbox" +msgid "Line Type" +msgstr "線條類型" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 +msgctxt "@label:listbox" +msgid "Speed" +msgstr "速度" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 +msgctxt "@label:listbox" +msgid "Layer Thickness" +msgstr "層厚" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 +msgctxt "@label:listbox" +msgid "Line Width" +msgstr "線寬" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 +msgctxt "@label:listbox" +msgid "Flow" +msgstr "流動" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 msgctxt "@label" -msgid "X min" -msgstr "X 最小值" +msgid "Compatibility Mode" +msgstr "相容模式" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 msgctxt "@label" -msgid "Y min" -msgstr "Y 最小值" +msgid "Travels" +msgstr "移動軌跡" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 msgctxt "@label" -msgid "X max" -msgstr "X 最大值" +msgid "Helpers" +msgstr "輔助結構" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 msgctxt "@label" -msgid "Y max" -msgstr "Y 最大值" +msgid "Shell" +msgstr "外殼" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 msgctxt "@label" -msgid "Gantry Height" -msgstr "吊車高度" +msgid "Infill" +msgstr "填充" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 msgctxt "@label" -msgid "Number of Extruders" -msgstr "擠出機數目" +msgid "Starts" +msgstr "啟動" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 msgctxt "@label" -msgid "Apply Extruder offsets to GCode" -msgstr "將擠出機偏移設定至Gcode" +msgid "Only Show Top Layers" +msgstr "只顯示頂層" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393 -msgctxt "@title:label" -msgid "Start G-code" -msgstr "起始 G-code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 +msgctxt "@label" +msgid "Show 5 Detailed Layers On Top" +msgstr "顯示頂端 5 層列印細節" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404 -msgctxt "@title:label" -msgid "End G-code" -msgstr "結束 G-code" +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 +msgctxt "@label" +msgid "Top / Bottom" +msgstr "頂 / 底層" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100 +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 +msgctxt "@label" +msgid "Inner Wall" +msgstr "內壁" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 +msgctxt "@label" +msgid "min" +msgstr "最小值" + +#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 +msgctxt "@label" +msgid "max" +msgstr "最大值" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 +msgctxt "@label link to Connect and Cloud interfaces" +msgid "Manage printer" +msgstr "管理印表機" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 +msgctxt "@label" +msgid "Glass" +msgstr "玻璃" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 +msgctxt "@info" +msgid "Please update your printer's firmware to manage the queue remotely." +msgstr "請更新你印表機的韌體以便遠端管理工作隊列。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 +msgctxt "@info" +msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." +msgstr "網路攝影機無法從Ultimaker Cura中瀏覽,請點擊\"管理列印機\"並從Ultimaker Digital Factory中瀏覽網路攝影機." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 +msgctxt "@label:status" +msgid "Loading..." +msgstr "正在載入..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 +msgctxt "@label:status" +msgid "Unavailable" +msgstr "無法使用" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 +msgctxt "@label:status" +msgid "Unreachable" +msgstr "無法連接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 +msgctxt "@label:status" +msgid "Idle" +msgstr "閒置中" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 +msgctxt "@label:status" +msgid "Preparing..." +msgstr "正在準備..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 +msgctxt "@label:status" +msgid "Printing" +msgstr "正在列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 +msgctxt "@label" +msgid "Untitled" +msgstr "無標題" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 +msgctxt "@label" +msgid "Anonymous" +msgstr "匿名" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 +msgctxt "@label:status" +msgid "Requires configuration changes" +msgstr "需要修改設定" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 +msgctxt "@action:button" +msgid "Details" +msgstr "細項" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 +msgctxt "@label" +msgid "Unavailable printer" +msgstr "無法使用的印表機" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 +msgctxt "@label" +msgid "First available" +msgstr "可用的第一個" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 +msgctxt "@label" +msgid "Queued" +msgstr "已排入隊列" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 +msgctxt "@label link to connect manager" +msgid "Manage in browser" +msgstr "使用瀏覽器管理" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 +msgctxt "@label" +msgid "There are no print jobs in the queue. Slice and send a job to add one." +msgstr "目前沒有列印作業在隊列中。可透過切片並傳送列印作來增加一個。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 +msgctxt "@label" +msgid "Print jobs" +msgstr "列印作業" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 +msgctxt "@label" +msgid "Total print time" +msgstr "總列印時間" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 +msgctxt "@label" +msgid "Waiting for" +msgstr "等待" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 +msgctxt "@title:window" +msgid "Print over network" +msgstr "網路連線列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 +msgctxt "@action:button" +msgid "Print" +msgstr "列印" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 +msgctxt "@label" +msgid "Printer selection" +msgstr "印表機選擇" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 +msgctxt "@title:window" +msgid "Configuration Changes" +msgstr "修改設定" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 +msgctxt "@action:button" +msgid "Override" +msgstr "覆寫" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 +msgctxt "@label" +msgid "The assigned printer, %1, requires the following configuration change:" +msgid_plural "The assigned printer, %1, requires the following configuration changes:" +msgstr[0] "分配的印表機 %1 需要下列的設定更動:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 +msgctxt "@label" +msgid "The printer %1 is assigned, but the job contains an unknown material configuration." +msgstr "已分配到印表機 %1,但列印工作含有未知的線材設定。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 +msgctxt "@label" +msgid "Change material %1 from %2 to %3." +msgstr "將線材 %1 從 %2 改成 %3。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 +msgctxt "@label" +msgid "Load %3 as material %1 (This cannot be overridden)." +msgstr "將 %3 做為線材 %1 載入(無法覆寫)。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 +msgctxt "@label" +msgid "Change print core %1 from %2 to %3." +msgstr "將 print core %1 從 %2 改成 %3。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 +msgctxt "@label" +msgid "Change build plate to %1 (This cannot be overridden)." +msgstr "將列印平台改成 %1(無法覆寫)。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 +msgctxt "@label" +msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." +msgstr "覆寫會將指定的設定套用在現有的印表機上。這可能導致列印失敗。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 +msgctxt "@label" +msgid "Aluminum" +msgstr "鋁" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 +msgctxt "@label:status" +msgid "Finished" +msgstr "已完成" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 +msgctxt "@label:status" +msgid "Aborting..." +msgstr "正在中斷..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 +msgctxt "@label:status" +msgid "Aborted" +msgstr "已中斷" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 +msgctxt "@label:status" +msgid "Failed" +msgstr "" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102 +msgctxt "@label:status" +msgid "Pausing..." +msgstr "正在暫停..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104 +msgctxt "@label:status" +msgid "Paused" +msgstr "已暫停" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106 +msgctxt "@label:status" +msgid "Resuming..." +msgstr "正在繼續..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108 +msgctxt "@label:status" +msgid "Action required" +msgstr "需要採取的動作" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110 +msgctxt "@label:status" +msgid "Finishes %1 at %2" +msgstr "在 %2 完成 %1" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +msgctxt "@title:window" +msgid "Connect to Networked Printer" +msgstr "連接到網路印表機" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." +msgstr "要透過網路列印,請確認你的印表機已透過網路線或 WIFI 連接到網路。若你無法讓 Cura 與印表機連線,你仍然可以使用 USB 裝置將 G-code 檔案傳輸到印表機。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 +msgctxt "@label" +msgid "Select your printer from the list below:" +msgstr "從下列清單中選擇你的印表機:" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 +msgctxt "@action:button" +msgid "Edit" +msgstr "編輯" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55 +msgctxt "@action:button" +msgid "Remove" +msgstr "移除" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 +msgctxt "@action:button" +msgid "Refresh" +msgstr "刷新" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 +msgctxt "@label" +msgid "If your printer is not listed, read the network printing troubleshooting guide" +msgstr "如果你的印表機未被列出,請閱讀網路列印故障排除指南" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 +msgctxt "@label" +msgid "Type" +msgstr "類型" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 +msgctxt "@label" +msgid "Firmware version" +msgstr "韌體版本" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 +msgctxt "@label" +msgid "Address" +msgstr "位址" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 +msgctxt "@label" +msgid "This printer is not set up to host a group of printers." +msgstr "此印表機未被設定為管理印表機群組。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 +msgctxt "@label" +msgid "This printer is the host for a group of %1 printers." +msgstr "此印表機為 %1 印表機群組的管理者。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 +msgctxt "@label" +msgid "The printer at this address has not yet responded." +msgstr "該網路位址的印表機尚無回應。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 +msgctxt "@action:button" +msgid "Connect" +msgstr "連接" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 +msgctxt "@title:window" +msgid "Invalid IP address" +msgstr "無效的 IP 位址" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 +msgctxt "@text" +msgid "Please enter a valid IP address." +msgstr "請輸入有效的 IP 位址 。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 +msgctxt "@title:window" +msgid "Printer Address" +msgstr "印表機網路位址" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 +msgctxt "@label" +msgid "Enter the IP address of your printer on the network." +msgstr "輸入印表機的 IP 位址。" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 +msgctxt "@label" +msgid "Move to top" +msgstr "移至頂端" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 +msgctxt "@label" +msgid "Delete" +msgstr "刪除" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290 +msgctxt "@label" +msgid "Resume" +msgstr "繼續" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 +msgctxt "@label" +msgid "Pausing..." +msgstr "正在暫停..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 +msgctxt "@label" +msgid "Resuming..." +msgstr "正在繼續..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294 +msgctxt "@label" +msgid "Pause" +msgstr "暫停" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Aborting..." +msgstr "正在中斷..." + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 +msgctxt "@label" +msgid "Abort" +msgstr "中斷" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to move %1 to the top of the queue?" +msgstr "你確定要將 %1 移至隊列的頂端嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 +msgctxt "@window:title" +msgid "Move print job to top" +msgstr "將列印作業移至最頂端" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to delete %1?" +msgstr "你確定要刪除 %1 嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 +msgctxt "@window:title" +msgid "Delete print job" +msgstr "刪除列印作業" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 +msgctxt "@label %1 is the name of a print job." +msgid "Are you sure you want to abort %1?" +msgstr "你確定要中斷 %1 嗎?" + +#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336 +msgctxt "@window:title" +msgid "Abort print" +msgstr "中斷列印" + +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100 msgctxt "@info" msgid "" "Please make sure your printer has a connection:\n" @@ -2218,1449 +3318,433 @@ msgstr "" "- 檢查印表機是否已連接到網路。\n" "- 檢查是否已登入以尋找雲端連接的印表機。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117 msgctxt "@info" msgid "Please connect your printer to the network." msgstr "請將你的印表機連上網路。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155 msgctxt "@label link to technical assistance" msgid "View user manuals online" msgstr "查看線上使用者手冊" -#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172 +#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172 msgctxt "@info" msgid "In order to monitor your print from Cura, please connect the printer." msgstr "為了監控您的印表機,請連結印表機." -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42 -msgctxt "@label" -msgid "Mesh Type" -msgstr "網格類型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82 -msgctxt "@label" -msgid "Normal model" -msgstr "普通模型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94 -msgctxt "@label" -msgid "Print as support" -msgstr "做為支撐" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106 -msgctxt "@label" -msgid "Modify settings for overlaps" -msgstr "修改重疊處設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118 -msgctxt "@label" -msgid "Don't support overlaps" -msgstr "重疊處不建立支撐" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151 -msgctxt "@item:inlistbox" -msgid "Infill mesh only" -msgstr "只填充網格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152 -msgctxt "@item:inlistbox" -msgid "Cutting mesh" -msgstr "切割網格" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382 -msgctxt "@action:button" -msgid "Select settings" -msgstr "選擇設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13 -msgctxt "@title:window" -msgid "Select Settings to Customize for this model" -msgstr "選擇對此模型的自訂設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96 -msgctxt "@label:textbox" -msgid "Filter..." -msgstr "篩選..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68 -msgctxt "@label:checkbox" -msgid "Show all" -msgstr "顯示全部" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20 -msgctxt "@title:window" -msgid "Post Processing Plugin" -msgstr "後處理外掛" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59 -msgctxt "@label" -msgid "Post Processing Scripts" -msgstr "後處理腳本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235 -msgctxt "@action" -msgid "Add a script" -msgstr "添加一個腳本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282 -msgctxt "@label" -msgid "Settings" -msgstr "設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502 +#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22 msgctxt "@info:tooltip" -msgid "Change active post-processing scripts." -msgstr "更改目前啟用的後處理腳本。" +msgid "Some things could be problematic in this print. Click to see tips for adjustment." +msgstr "此列印可能會有些問題。點擊查看調整提示。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27 msgctxt "@info:tooltip" -msgid "The following script is active:" -msgid_plural "The following scripts are active:" -msgstr[0] "下列為啟用中的腳本:" +msgid "3D View" +msgstr "立體圖" -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20 /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49 -msgctxt "@label" -msgid "Color scheme" -msgstr "顏色方案" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110 -msgctxt "@label:listbox" -msgid "Material Color" -msgstr "線材顏色" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114 -msgctxt "@label:listbox" -msgid "Line Type" -msgstr "線條類型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118 -msgctxt "@label:listbox" -msgid "Speed" -msgstr "速度" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122 -msgctxt "@label:listbox" -msgid "Layer Thickness" -msgstr "層厚" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126 -msgctxt "@label:listbox" -msgid "Line Width" -msgstr "線寬" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130 -msgctxt "@label:listbox" -msgid "Flow" -msgstr "流動" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171 -msgctxt "@label" -msgid "Compatibility Mode" -msgstr "相容模式" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245 -msgctxt "@label" -msgid "Travels" -msgstr "移動軌跡" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251 -msgctxt "@label" -msgid "Helpers" -msgstr "輔助結構" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257 -msgctxt "@label" -msgid "Shell" -msgstr "外殼" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65 -msgctxt "@label" -msgid "Infill" -msgstr "填充" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271 -msgctxt "@label" -msgid "Starts" -msgstr "啟動" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322 -msgctxt "@label" -msgid "Only Show Top Layers" -msgstr "只顯示頂層" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332 -msgctxt "@label" -msgid "Show 5 Detailed Layers On Top" -msgstr "顯示頂端 5 層列印細節" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346 -msgctxt "@label" -msgid "Top / Bottom" -msgstr "頂 / 底層" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350 -msgctxt "@label" -msgid "Inner Wall" -msgstr "內壁" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419 -msgctxt "@label" -msgid "min" -msgstr "最小值" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488 -msgctxt "@label" -msgid "max" -msgstr "最大值" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17 -msgctxt "@title:window" -msgid "More information on anonymous data collection" -msgstr "更多關於匿名資料收集的資訊" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74 -msgctxt "@text:window" -msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:" -msgstr "Ultimaker Cura 搜集匿名資料以提高列印品質和使用者體驗。以下是共享資料的範例:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110 -msgctxt "@text:window" -msgid "I don't want to send anonymous data" -msgstr "我不想傳送匿名資料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119 -msgctxt "@text:window" -msgid "Allow sending anonymous data" -msgstr "允許傳送匿名資料" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25 -msgctxt "@action:button" -msgid "Back" -msgstr "返回" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34 -msgctxt "@label" -msgid "Compatibility" -msgstr "相容性" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124 -msgctxt "@label:table_header" -msgid "Machine" -msgstr "機器" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137 -msgctxt "@label:table_header" -msgid "Build Plate" -msgstr "列印平台" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143 -msgctxt "@label:table_header" -msgid "Support" -msgstr "支撐" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149 -msgctxt "@label:table_header" -msgid "Quality" -msgstr "品質" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170 -msgctxt "@action:label" -msgid "Technical Data Sheet" -msgstr "技術資料表" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179 -msgctxt "@action:label" -msgid "Safety Data Sheet" -msgstr "安全資料表" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188 -msgctxt "@action:label" -msgid "Printing Guidelines" -msgstr "列印指南" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197 -msgctxt "@action:label" -msgid "Website" -msgstr "網站" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20 -msgctxt "@action:button" -msgid "Installed" -msgstr "已安裝" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to install or update" -msgstr "需要登入才能進行安裝或升級" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80 -msgctxt "@label:The string between and is the highlighted link" -msgid "Buy material spools" -msgstr "購買線材線軸" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34 -msgctxt "@action:button" -msgid "Update" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35 -msgctxt "@action:button" -msgid "Updating" -msgstr "更新中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36 -msgctxt "@action:button" -msgid "Updated" -msgstr "更新完成" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27 -msgctxt "@label" -msgid "Premium" -msgstr "付費會員" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39 /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40 msgctxt "@info:tooltip" -msgid "Go to Web Marketplace" -msgstr "前往網路市集" +msgid "Front View" +msgstr "前視圖" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42 +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53 +msgctxt "@info:tooltip" +msgid "Top View" +msgstr "上視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66 +msgctxt "@info:tooltip" +msgid "Left View" +msgstr "左視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79 +msgctxt "@info:tooltip" +msgid "Right View" +msgstr "右視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59 msgctxt "@label" -msgid "Search materials" -msgstr "搜尋線材" +msgid "Object list" +msgstr "物件清單" -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19 -msgctxt "@info" -msgid "You will need to restart Cura before changes in packages have effect." -msgstr "需重新啟動 Cura,套件的更動才能生效。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46 -msgctxt "@info:button, %1 is the application name" -msgid "Quit %1" -msgstr "結束 %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30 -msgctxt "@title:tab" -msgid "Plugins" -msgstr "外掛" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89 -msgctxt "@title:tab" -msgid "Materials" -msgstr "線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58 -msgctxt "@title:tab" -msgid "Installed" -msgstr "已安裝" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22 -msgctxt "@label" -msgid "Will install upon restarting" -msgstr "將在重新啟動時安裝" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53 -msgctxt "@label:The string between and is the highlighted link" -msgid "Log in is required to update" -msgstr "需要登入才能進行升級" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 msgctxt "@action:button" -msgid "Downgrade" -msgstr "降級版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71 -msgctxt "@action:button" -msgid "Uninstall" -msgstr "移除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18 -msgctxt "@action:button" -msgid "Install" -msgstr "安裝" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14 -msgctxt "@title" -msgid "Changes from your account" -msgstr "你帳戶的更動" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 -msgctxt "@button" -msgid "Dismiss" -msgstr "捨棄" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186 -msgctxt "@button" -msgid "Next" -msgstr "下一步" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52 -msgctxt "@label" -msgid "The following packages will be added:" -msgstr "將新增下列套件:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97 -msgctxt "@label" -msgid "The following packages can not be installed because of an incompatible Cura version:" -msgstr "下列套件因 Cura 版本不相容,無法安裝:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20 -msgctxt "@title:window" -msgid "Confirm uninstall" -msgstr "移除確認" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50 -msgctxt "@text:window" -msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults." -msgstr "你正在移除仍被使用的線材/列印設定。確認後會將下列耗材/列印設定重設為預設值。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51 -msgctxt "@text:window" -msgid "Materials" -msgstr "線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52 -msgctxt "@text:window" -msgid "Profiles" -msgstr "參數" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90 -msgctxt "@action:button" -msgid "Confirm" -msgstr "確定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36 -msgctxt "@label" -msgid "You need to accept the license to install the package" -msgstr "你必需同意授權協議才能安裝套件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95 -msgctxt "@label" -msgid "Website" -msgstr "網站" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102 -msgctxt "@label" -msgid "Email" -msgstr "電子郵件" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89 -msgctxt "@label" -msgid "Version" -msgstr "版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96 -msgctxt "@label" -msgid "Last updated" -msgstr "最後更新時間" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138 -msgctxt "@label" -msgid "Brand" -msgstr "品牌" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110 -msgctxt "@label" -msgid "Downloads" -msgstr "下載" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Contributions" -msgstr "社群貢獻" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33 -msgctxt "@label" -msgid "Community Plugins" -msgstr "社群外掛" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42 -msgctxt "@label" -msgid "Generic Materials" -msgstr "通用線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16 -msgctxt "@info" -msgid "Could not connect to the Cura Package database. Please check your connection." -msgstr "無法連上 Cura 套件資料庫。請檢查你的網路連線。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33 -msgctxt "@title:tab" -msgid "Installed plugins" -msgstr "已安裝外掛" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72 -msgctxt "@info" -msgid "No plugin has been installed." -msgstr "尚未安裝任何外掛。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87 -msgctxt "@title:tab" -msgid "Installed materials" -msgstr "已安裝線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126 -msgctxt "@info" -msgid "No material has been installed." -msgstr "尚未安裝任何線材。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141 -msgctxt "@title:tab" -msgid "Bundled plugins" -msgstr "捆綁式外掛" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186 -msgctxt "@title:tab" -msgid "Bundled materials" -msgstr "捆綁式線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17 -msgctxt "@info" -msgid "Fetching packages..." -msgstr "取得套件..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22 -msgctxt "@description" -msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise" -msgstr "請登入以取得 Ultimaker Cura Enterprise 驗証的外掛及線材" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19 -msgctxt "@title" msgid "Marketplace" msgstr "市集" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30 -msgctxt "@title" -msgid "Build Plate Leveling" -msgstr "列印平台調整水平" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&File" +msgstr "檔案(&F)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44 -msgctxt "@label" -msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted." -msgstr "為了確保列印品質出色,你現在可以開始調整你的列印平台。當你點擊「移動到下一個位置」時,噴頭將移動到不同的可調節位置。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 +msgctxt "@title:menu menubar:toplevel" +msgid "&Edit" +msgstr "編輯(&E)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57 -msgctxt "@label" -msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle." -msgstr "在噴頭停止的每一個位置下方插入一張紙,並調整平台高度。當紙張恰好被噴頭的尖端輕微壓住時,表示列印平台已被校準在正確的高度。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12 +msgctxt "@title:menu menubar:toplevel" +msgid "&View" +msgstr "檢視(&V)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75 -msgctxt "@action:button" -msgid "Start Build Plate Leveling" -msgstr "開始進行列印平台調平" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13 +msgctxt "@title:menu menubar:toplevel" +msgid "&Settings" +msgstr "設定(&S)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87 -msgctxt "@action:button" -msgid "Move to Next Position" -msgstr "移動到下一個位置" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 +msgctxt "@title:menu menubar:toplevel" +msgid "E&xtensions" +msgstr "擴充功能(&X)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30 -msgctxt "@label" -msgid "Please select any upgrades made to this Ultimaker Original" -msgstr "請選擇適用於 Ultimaker Original 的更新檔案" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 +msgctxt "@title:menu menubar:toplevel" +msgid "P&references" +msgstr "偏好設定(&R)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41 -msgctxt "@label" -msgid "Heated Build Plate (official kit or self-built)" -msgstr "熱床(官方版本或自製版本)" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 +msgctxt "@title:menu menubar:toplevel" +msgid "&Help" +msgstr "幫助(&H)" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45 +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 msgctxt "@title:window" -msgid "Connect to Networked Printer" -msgstr "連接到網路印表機" +msgid "New project" +msgstr "新建專案" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer." -msgstr "要透過網路列印,請確認你的印表機已透過網路線或 WIFI 連接到網路。若你無法讓 Cura 與印表機連線,你仍然可以使用 USB 裝置將 G-code 檔案傳輸到印表機。" +#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 +msgctxt "@info:question" +msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." +msgstr "你確定要開始一個新專案嗎?這將清除列印平台及任何未儲存的設定。" -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57 -msgctxt "@label" -msgid "Select your printer from the list below:" -msgstr "從下列清單中選擇你的印表機:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77 -msgctxt "@action:button" -msgid "Edit" -msgstr "編輯" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156 -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138 -msgctxt "@action:button" -msgid "Remove" -msgstr "移除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96 -msgctxt "@action:button" -msgid "Refresh" -msgstr "刷新" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176 -msgctxt "@label" -msgid "If your printer is not listed, read the network printing troubleshooting guide" -msgstr "如果你的印表機未被列出,請閱讀網路列印故障排除指南" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263 -msgctxt "@label" -msgid "Type" -msgstr "類型" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279 -msgctxt "@label" -msgid "Firmware version" -msgstr "韌體版本" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295 -msgctxt "@label" -msgid "Address" -msgstr "位址" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263 -msgctxt "@label" -msgid "This printer is not set up to host a group of printers." -msgstr "此印表機未被設定為管理印表機群組。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267 -msgctxt "@label" -msgid "This printer is the host for a group of %1 printers." -msgstr "此印表機為 %1 印表機群組的管理者。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278 -msgctxt "@label" -msgid "The printer at this address has not yet responded." -msgstr "該網路位址的印表機尚無回應。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283 -msgctxt "@action:button" -msgid "Connect" -msgstr "連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296 -msgctxt "@title:window" -msgid "Invalid IP address" -msgstr "無效的 IP 位址" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146 -msgctxt "@text" -msgid "Please enter a valid IP address." -msgstr "請輸入有效的 IP 位址 。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308 -msgctxt "@title:window" -msgid "Printer Address" -msgstr "印表機網路位址" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102 -msgctxt "@label" -msgid "Enter the IP address of your printer on the network." -msgstr "輸入印表機的 IP 位址。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20 -msgctxt "@title:window" -msgid "Configuration Changes" -msgstr "修改設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27 -msgctxt "@action:button" -msgid "Override" -msgstr "覆寫" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85 -msgctxt "@label" -msgid "The assigned printer, %1, requires the following configuration change:" -msgid_plural "The assigned printer, %1, requires the following configuration changes:" -msgstr[0] "分配的印表機 %1 需要下列的設定更動:" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89 -msgctxt "@label" -msgid "The printer %1 is assigned, but the job contains an unknown material configuration." -msgstr "已分配到印表機 %1,但列印工作含有未知的線材設定。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99 -msgctxt "@label" -msgid "Change material %1 from %2 to %3." -msgstr "將線材 %1 從 %2 改成 %3。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102 -msgctxt "@label" -msgid "Load %3 as material %1 (This cannot be overridden)." -msgstr "將 %3 做為線材 %1 載入(無法覆寫)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105 -msgctxt "@label" -msgid "Change print core %1 from %2 to %3." -msgstr "將 print core %1 從 %2 改成 %3。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108 -msgctxt "@label" -msgid "Change build plate to %1 (This cannot be overridden)." -msgstr "將列印平台改成 %1(無法覆寫)。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115 -msgctxt "@label" -msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print." -msgstr "覆寫會將指定的設定套用在現有的印表機上。這可能導致列印失敗。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184 -msgctxt "@label" -msgid "Glass" -msgstr "玻璃" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156 -msgctxt "@label" -msgid "Aluminum" -msgstr "鋁" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54 -msgctxt "@label" -msgid "Move to top" -msgstr "移至頂端" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70 -msgctxt "@label" -msgid "Delete" -msgstr "刪除" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290 -msgctxt "@label" -msgid "Resume" -msgstr "繼續" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102 -msgctxt "@label" -msgid "Pausing..." -msgstr "正在暫停..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104 -msgctxt "@label" -msgid "Resuming..." -msgstr "正在繼續..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294 -msgctxt "@label" -msgid "Pause" -msgstr "暫停" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Aborting..." -msgstr "正在中斷..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124 -msgctxt "@label" -msgid "Abort" -msgstr "中斷" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to move %1 to the top of the queue?" -msgstr "你確定要將 %1 移至隊列的頂端嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144 -msgctxt "@window:title" -msgid "Move print job to top" -msgstr "將列印作業移至最頂端" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to delete %1?" -msgstr "你確定要刪除 %1 嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154 -msgctxt "@window:title" -msgid "Delete print job" -msgstr "刪除列印作業" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163 -msgctxt "@label %1 is the name of a print job." -msgid "Are you sure you want to abort %1?" -msgstr "你確定要中斷 %1 嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164 /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336 -msgctxt "@window:title" -msgid "Abort print" -msgstr "中斷列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154 -msgctxt "@label link to Connect and Cloud interfaces" -msgid "Manage printer" -msgstr "管理印表機" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250 -msgctxt "@info" -msgid "Please update your printer's firmware to manage the queue remotely." -msgstr "請更新你印表機的韌體以便遠端管理工作隊列。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288 -msgctxt "@info" -msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam." -msgstr "網路攝影機無法從Ultimaker Cura中瀏覽,請點擊\"管理列印機\"並從Ultimaker Digital Factory中瀏覽網路攝影機." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348 -msgctxt "@label:status" -msgid "Loading..." -msgstr "正在載入..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352 -msgctxt "@label:status" -msgid "Unavailable" -msgstr "無法使用" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356 -msgctxt "@label:status" -msgid "Unreachable" -msgstr "無法連接" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360 -msgctxt "@label:status" -msgid "Idle" -msgstr "閒置中" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84 -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86 -msgctxt "@label:status" -msgid "Preparing..." -msgstr "正在準備..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369 -msgctxt "@label:status" -msgid "Printing" -msgstr "正在列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410 -msgctxt "@label" -msgid "Untitled" -msgstr "無標題" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431 -msgctxt "@label" -msgid "Anonymous" -msgstr "匿名" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458 -msgctxt "@label:status" -msgid "Requires configuration changes" -msgstr "需要修改設定" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496 -msgctxt "@action:button" -msgid "Details" -msgstr "細項" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133 -msgctxt "@label" -msgid "Unavailable printer" -msgstr "無法使用的印表機" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135 -msgctxt "@label" -msgid "First available" -msgstr "可用的第一個" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90 -msgctxt "@label:status" -msgid "Aborted" -msgstr "已中斷" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80 /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82 -msgctxt "@label:status" -msgid "Finished" -msgstr "已完成" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88 -msgctxt "@label:status" -msgid "Aborting..." -msgstr "正在中斷..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92 -msgctxt "@label:status" -msgid "Pausing..." -msgstr "正在暫停..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94 -msgctxt "@label:status" -msgid "Paused" -msgstr "已暫停" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96 -msgctxt "@label:status" -msgid "Resuming..." -msgstr "正在繼續..." - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98 -msgctxt "@label:status" -msgid "Action required" -msgstr "需要採取的動作" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100 -msgctxt "@label:status" -msgid "Finishes %1 at %2" -msgstr "在 %2 完成 %1" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31 -msgctxt "@label" -msgid "Queued" -msgstr "已排入隊列" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66 -msgctxt "@label link to connect manager" -msgid "Manage in browser" -msgstr "使用瀏覽器管理" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99 -msgctxt "@label" -msgid "There are no print jobs in the queue. Slice and send a job to add one." -msgstr "目前沒有列印作業在隊列中。可透過切片並傳送列印作來增加一個。" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110 -msgctxt "@label" -msgid "Print jobs" -msgstr "列印作業" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122 -msgctxt "@label" -msgid "Total print time" -msgstr "總列印時間" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134 -msgctxt "@label" -msgid "Waiting for" -msgstr "等待" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13 -msgctxt "@title:window" -msgid "Print over network" -msgstr "網路連線列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54 -msgctxt "@action:button" -msgid "Print" -msgstr "列印" - -#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82 -msgctxt "@label" -msgid "Printer selection" -msgstr "印表機選擇" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24 -msgctxt "@action:button" -msgid "Sign in" -msgstr "登入" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64 -msgctxt "@label" -msgid "Sign in to the Ultimaker platform" -msgstr "登入Ultimaker 論壇" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42 -msgctxt "@text" -msgid "" -"- Add material profiles and plug-ins from the Marketplace\n" -"- Back-up and sync your material profiles and plug-ins\n" -"- Share ideas and get help from 48,000+ users in the Ultimaker community" -msgstr "" -"- 從市集中加入線材參數及插件\n" -"-備份及同步您的線材設定與插件 \n" -"- 分享創意並可從Ultimaker社群中超過48000的使用者得到幫助" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62 -msgctxt "@button" -msgid "Create a free Ultimaker account" -msgstr "創建免費的Ultimaker帳戶" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28 -msgctxt "@label" -msgid "Checking..." -msgstr "檢查中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35 -msgctxt "@label" -msgid "Account synced" -msgstr "帳號已同步" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42 -msgctxt "@label" -msgid "Something went wrong..." -msgstr "出了些問題..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96 -msgctxt "@button" -msgid "Install pending updates" -msgstr "安裝待處理的更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118 -msgctxt "@button" -msgid "Check for account updates" -msgstr "檢查帳號更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82 -msgctxt "@label The argument is a timestamp" -msgid "Last update: %1" -msgstr "最後一次更新:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110 -msgctxt "@button" -msgid "Ultimaker Account" -msgstr "Ultimaker 帳號" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126 -msgctxt "@button" -msgid "Sign Out" -msgstr "登出" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 -msgctxt "@label" -msgid "No time estimation available" -msgstr "沒有時間估計" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 -msgctxt "@label" -msgid "No cost estimation available" -msgstr "沒有成本估算" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 -msgctxt "@button" -msgid "Preview" -msgstr "預覽" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 -msgctxt "@label" -msgid "Time estimation" -msgstr "時間估計" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 -msgctxt "@label" -msgid "Material estimation" -msgstr "線材估計" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 -msgctxt "@label m for meter" -msgid "%1m" -msgstr "%1m" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 -msgctxt "@label g for grams" -msgid "%1g" -msgstr "%1g" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55 msgctxt "@label:PrintjobStatus" msgid "Slicing..." msgstr "正在切片..." -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82 msgctxt "@label:PrintjobStatus" msgid "Unable to slice" msgstr "無法切片" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Processing" msgstr "處理中" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121 msgctxt "@button" msgid "Slice" msgstr "切片" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122 msgctxt "@label" msgid "Start the slicing process" msgstr "開始切片程序" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136 msgctxt "@button" msgid "Cancel" msgstr "取消" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83 -msgctxt "@action:inmenu" -msgid "Show Online Troubleshooting Guide" -msgstr "顯示線上故障排除指南" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90 -msgctxt "@action:inmenu" -msgid "Toggle Full Screen" -msgstr "切換全螢幕" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98 -msgctxt "@action:inmenu" -msgid "Exit Full Screen" -msgstr "離開全螢幕" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105 -msgctxt "@action:inmenu menubar:edit" -msgid "&Undo" -msgstr "復原(&U)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115 -msgctxt "@action:inmenu menubar:edit" -msgid "&Redo" -msgstr "取消復原(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133 -msgctxt "@action:inmenu menubar:file" -msgid "&Quit" -msgstr "退出(&Q)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141 -msgctxt "@action:inmenu menubar:view" -msgid "3D View" -msgstr "立體圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148 -msgctxt "@action:inmenu menubar:view" -msgid "Front View" -msgstr "前視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155 -msgctxt "@action:inmenu menubar:view" -msgid "Top View" -msgstr "上視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162 -msgctxt "@action:inmenu menubar:view" -msgid "Bottom View" -msgstr "下視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169 -msgctxt "@action:inmenu menubar:view" -msgid "Left Side View" -msgstr "左視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176 -msgctxt "@action:inmenu menubar:view" -msgid "Right Side View" -msgstr "右視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190 -msgctxt "@action:inmenu" -msgid "Configure Cura..." -msgstr "設定 Cura..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197 -msgctxt "@action:inmenu menubar:printer" -msgid "&Add Printer..." -msgstr "新增印表機(&A)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203 -msgctxt "@action:inmenu menubar:printer" -msgid "Manage Pr&inters..." -msgstr "管理印表機(&I)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210 -msgctxt "@action:inmenu" -msgid "Manage Materials..." -msgstr "管理線材..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218 -msgctxt "@action:inmenu" -msgid "Add more materials from Marketplace" -msgstr "從市集增加更多線材" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225 -msgctxt "@action:inmenu menubar:profile" -msgid "&Update profile with current settings/overrides" -msgstr "使用目前設定 / 覆寫更新列印參數(&U)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233 -msgctxt "@action:inmenu menubar:profile" -msgid "&Discard current changes" -msgstr "捨棄目前更改(&D)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245 -msgctxt "@action:inmenu menubar:profile" -msgid "&Create profile from current settings/overrides..." -msgstr "從目前設定 / 覆寫值建立列印參數(&C)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251 -msgctxt "@action:inmenu menubar:profile" -msgid "Manage Profiles..." -msgstr "管理列印參數.." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259 -msgctxt "@action:inmenu menubar:help" -msgid "Show Online &Documentation" -msgstr "顯示線上說明文件(&D)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267 -msgctxt "@action:inmenu menubar:help" -msgid "Report a &Bug" -msgstr "BUG 回報(&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275 -msgctxt "@action:inmenu menubar:help" -msgid "What's New" -msgstr "新功能" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289 -msgctxt "@action:inmenu menubar:help" -msgid "About..." -msgstr "關於..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296 -msgctxt "@action:inmenu menubar:edit" -msgid "Delete Selected" -msgstr "刪除選取" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306 -msgctxt "@action:inmenu menubar:edit" -msgid "Center Selected" -msgstr "置中選取" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315 -msgctxt "@action:inmenu menubar:edit" -msgid "Multiply Selected" -msgstr "複製選取" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324 -msgctxt "@action:inmenu" -msgid "Delete Model" -msgstr "刪除模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332 -msgctxt "@action:inmenu" -msgid "Ce&nter Model on Platform" -msgstr "將模型置中(&N)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338 -msgctxt "@action:inmenu menubar:edit" -msgid "&Group Models" -msgstr "群組模型(&G)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358 -msgctxt "@action:inmenu menubar:edit" -msgid "Ungroup Models" -msgstr "取消模型群組" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368 -msgctxt "@action:inmenu menubar:edit" -msgid "&Merge Models" -msgstr "結合模型(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378 -msgctxt "@action:inmenu" -msgid "&Multiply Model..." -msgstr "複製模型...(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385 -msgctxt "@action:inmenu menubar:edit" -msgid "Select All Models" -msgstr "選擇所有模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395 -msgctxt "@action:inmenu menubar:edit" -msgid "Clear Build Plate" -msgstr "清空列印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405 -msgctxt "@action:inmenu menubar:file" -msgid "Reload All Models" -msgstr "重新載入所有模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models To All Build Plates" -msgstr "將所有模型排列到所有列印平台上" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange All Models" -msgstr "排列所有模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429 -msgctxt "@action:inmenu menubar:edit" -msgid "Arrange Selection" -msgstr "排列所選模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Positions" -msgstr "重置所有模型位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443 -msgctxt "@action:inmenu menubar:edit" -msgid "Reset All Model Transformations" -msgstr "重置所有模型旋轉" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452 -msgctxt "@action:inmenu menubar:file" -msgid "&Open File(s)..." -msgstr "開啟檔案(&O)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462 -msgctxt "@action:inmenu menubar:file" -msgid "&New Project..." -msgstr "新建專案(&N)..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469 -msgctxt "@action:inmenu menubar:help" -msgid "Show Configuration Folder" -msgstr "顯示設定資料夾" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476 /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535 -msgctxt "@action:menu" -msgid "Configure setting visibility..." -msgstr "參數顯示設定..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483 -msgctxt "@action:menu" -msgid "&Marketplace" -msgstr "市集(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 -msgctxt "@label:button" -msgid "My printers" -msgstr "我的列印機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 -msgctxt "@tooltip:button" -msgid "Monitor printers in Ultimaker Digital Factory." -msgstr "從Ultimaker Digital Factory中監控我的列印機." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 -msgctxt "@tooltip:button" -msgid "Create print projects in Digital Library." -msgstr "從 Digital Library中創建列印專案." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 -msgctxt "@label:button" -msgid "Print jobs" -msgstr "列印工作" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 -msgctxt "@tooltip:button" -msgid "Monitor print jobs and reprint from your print history." -msgstr "監控列印工作並於從您的歷史紀錄中再次列印." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 -msgctxt "@tooltip:button" -msgid "Extend Ultimaker Cura with plugins and material profiles." -msgstr "使用插件及線材參數擴充Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 -msgctxt "@tooltip:button" -msgid "Become a 3D printing expert with Ultimaker e-learning." -msgstr "使用Ultimaker e-learning成為一位3D列印專家." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 -msgctxt "@label:button" -msgid "Ultimaker support" -msgstr "Ultimaker 支援" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 -msgctxt "@tooltip:button" -msgid "Learn how to get started with Ultimaker Cura." -msgstr "學習如何開始使用Ultimaker Cura." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 -msgctxt "@label:button" -msgid "Ask a question" -msgstr "提出問題" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 -msgctxt "@tooltip:button" -msgid "Consult the Ultimaker Community." -msgstr "諮詢Ultimaker社群." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 -msgctxt "@label:button" -msgid "Report a bug" -msgstr "回報Bug" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 -msgctxt "@tooltip:button" -msgid "Let developers know that something is going wrong." -msgstr "讓開發者了解您遇到的問題." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 -msgctxt "@tooltip:button" -msgid "Visit the Ultimaker website." -msgstr "參觀Ultimaker網站." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257 +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31 msgctxt "@label" -msgid "This package will be installed after restarting." -msgstr "此套件將在重新啟動後安裝。" +msgid "Time estimation" +msgstr "時間估計" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17 -msgctxt "@title:tab" -msgid "General" -msgstr "基本" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114 +msgctxt "@label" +msgid "Material estimation" +msgstr "線材估計" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471 -msgctxt "@title:tab" -msgid "Settings" -msgstr "設定" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164 +msgctxt "@label m for meter" +msgid "%1m" +msgstr "%1m" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16 -msgctxt "@title:tab" -msgid "Printers" -msgstr "印表機" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165 +msgctxt "@label g for grams" +msgid "%1g" +msgstr "%1g" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34 -msgctxt "@title:tab" -msgid "Profiles" -msgstr "列印參數" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59 +msgctxt "@label" +msgid "No time estimation available" +msgstr "沒有時間估計" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594 -msgctxt "@title:window %1 is the application name" -msgid "Closing %1" -msgstr "關閉 %1 中" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77 +msgctxt "@label" +msgid "No cost estimation available" +msgstr "沒有成本估算" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595 /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607 -msgctxt "@label %1 is the application name" -msgid "Are you sure you want to exit %1?" -msgstr "是否確定要離開 %1 ?" +#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127 +msgctxt "@button" +msgid "Preview" +msgstr "預覽" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 -msgctxt "@title:window" -msgid "Open file(s)" -msgstr "開啟檔案" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755 -msgctxt "@window:title" -msgid "Install Package" -msgstr "安裝套件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763 -msgctxt "@title:window" -msgid "Open File(s)" -msgstr "開啟檔案" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766 -msgctxt "@text:window" -msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." -msgstr "我們已經在你選擇的檔案中找到一個或多個 G-Code 檔案。你一次只能開啟一個 G-Code 檔案。若需開啟 G-Code 檔案,請僅選擇一個。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875 -msgctxt "@title:window" -msgid "Add Printer" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 +msgctxt "@label" +msgid "Add a printer" msgstr "新增印表機" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883 -msgctxt "@title:window" +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 +msgctxt "@label" +msgid "Add a networked printer" +msgstr "新增網路印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 +msgctxt "@label" +msgid "Add a non-networked printer" +msgstr "新增非網路印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +msgctxt "@label" +msgid "Add a Cloud printer" +msgstr "新增雲端印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 +msgctxt "@label" +msgid "Waiting for Cloud response" +msgstr "等待雲端服務回應" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 +msgctxt "@label" +msgid "No printers found in your account?" +msgstr "在你的帳號未發現任何印表機?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 +msgctxt "@label" +msgid "The following printers in your account have been added in Cura:" +msgstr "下列你帳號中的印表機已新增至 Cura:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 +msgctxt "@button" +msgid "Add printer manually" +msgstr "手動新增印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 +msgctxt "@label" +msgid "Add printer by IP address" +msgstr "使用 IP 位址新增印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 +msgctxt "@text" +msgid "Enter your printer's IP address." +msgstr "輸入印表機的 IP 位址。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 +msgctxt "@button" +msgid "Add" +msgstr "新增" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 +msgctxt "@label" +msgid "Could not connect to device." +msgstr "無法連接到裝置。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 +msgctxt "@label" +msgid "Can't connect to your Ultimaker printer?" +msgstr "無法連接到 Ultimaker 印表機?" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 +msgctxt "@label" +msgid "The printer at this address has not responded yet." +msgstr "此位址的印表機尚未回應。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 +msgctxt "@label" +msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." +msgstr "無法添加此印表機,因為它是未知的印表機,或者它不是印表機群組的主機。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707 +msgctxt "@button" +msgid "Back" +msgstr "返回" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 +msgctxt "@button" +msgid "Connect" +msgstr "連接" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 +msgctxt "@label" +msgid "User Agreement" +msgstr "使用者授權" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 +msgctxt "@button" +msgid "Decline and close" +msgstr "拒絕並關閉" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 +msgctxt "@label" +msgid "Welcome to Ultimaker Cura" +msgstr "歡迎來到 Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 +msgctxt "@text" +msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." +msgstr "請依照步驟安裝Ultimaker Cura. 這會需要幾分鐘的時間." + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 +msgctxt "@button" +msgid "Get started" +msgstr "開始" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64 +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20 +msgctxt "@label" +msgid "Sign in to the Ultimaker platform" +msgstr "登入Ultimaker 論壇" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124 +msgctxt "@text" +msgid "Add material settings and plugins from the Marketplace" +msgstr "從市集中加入線材設定或插件" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154 +msgctxt "@text" +msgid "Backup and sync your material settings and plugins" +msgstr "備份及同步您的線材設定與插件" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184 +msgctxt "@text" +msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" +msgstr "分享創意並可從Ultimaker社群中超過48000的使用者得到幫助" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202 +msgctxt "@button" +msgid "Skip" +msgstr "略過" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214 +msgctxt "@text" +msgid "Create a free Ultimaker Account" +msgstr "創建免費的Ultimaker帳戶" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 +msgctxt "@label" +msgid "Manufacturer" +msgstr "製造商" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 +msgctxt "@label" +msgid "Profile author" +msgstr "列印參數作者" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 +msgctxt "@label" +msgid "Printer name" +msgstr "印表機名稱" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 +msgctxt "@text" +msgid "Please name your printer" +msgstr "請為你的印表機取一個名稱" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 +msgctxt "@label" +msgid "There is no printer found over your network." +msgstr "在你的網路上找不到印表機。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 +msgctxt "@label" +msgid "Refresh" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 +msgctxt "@label" +msgid "Add printer by IP" +msgstr "使用 IP 位址新增印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 +msgctxt "@label" +msgid "Add cloud printer" +msgstr "新增雲端印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 +msgctxt "@label" +msgid "Troubleshooting" +msgstr "故障排除" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 +msgctxt "@label" +msgid "Help us to improve Ultimaker Cura" +msgstr "協助我們改進 Ultimaker Cura" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 +msgctxt "@text" +msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" +msgstr "Ultimaker Cura 搜集匿名資料以提高列印品質和使用者體驗,包含:" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 +msgctxt "@text" +msgid "Machine types" +msgstr "機器類型" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 +msgctxt "@text" +msgid "Material usage" +msgstr "線材用法" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 +msgctxt "@text" +msgid "Number of slices" +msgstr "切片次數" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 +msgctxt "@text" +msgid "Print settings" +msgstr "列印設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 +msgctxt "@text" +msgid "Data collected by Ultimaker Cura will not contain any personal information." +msgstr "Ultimaker Cura 收集的資料不包含任何個人資訊。" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 +msgctxt "@text" +msgid "More information" +msgstr "更多資訊" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 +msgctxt "@label" msgid "What's New" msgstr "新功能" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15 +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 +msgctxt "@label" +msgid "Empty" +msgstr "空的" + +#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 +msgctxt "@label" +msgid "Release Notes" +msgstr "發佈通知" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15 msgctxt "@title:window The argument is the application name." msgid "About %1" msgstr "關於 %1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57 msgctxt "@label" msgid "version: %1" msgstr "版本:%1" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72 msgctxt "@label" msgid "End-to-end solution for fused filament 3D printing." msgstr "熔絲 3D 列印技術的的端對端解決方案。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85 msgctxt "@info:credit" msgid "" "Cura is developed by Ultimaker B.V. in cooperation with the community.\n" @@ -3669,182 +3753,204 @@ msgstr "" "Cura 由 Ultimaker B.V. 與社群合作開發。\n" "Cura 使用以下開源專案:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135 msgctxt "@label" msgid "Graphical user interface" msgstr "圖形用戶介面" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136 msgctxt "@label" msgid "Application framework" msgstr "應用框架" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137 msgctxt "@label" msgid "G-code generator" msgstr "G-code 產生器" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138 msgctxt "@label" msgid "Interprocess communication library" msgstr "進程間通訊交互使用庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140 msgctxt "@label" msgid "Programming language" msgstr "編程語言" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141 msgctxt "@label" msgid "GUI framework" msgstr "GUI 框架" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142 msgctxt "@label" msgid "GUI framework bindings" msgstr "GUI 框架綁定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143 msgctxt "@label" msgid "C/C++ Binding library" msgstr "C / C++ 綁定庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144 msgctxt "@label" msgid "Data interchange format" msgstr "資料交換格式" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145 msgctxt "@label" msgid "Support library for scientific computing" msgstr "科學計算函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146 msgctxt "@label" msgid "Support library for faster math" msgstr "高速運算函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147 msgctxt "@label" msgid "Support library for handling STL files" msgstr "用於處理 STL 檔案的函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148 msgctxt "@label" msgid "Support library for handling planar objects" msgstr "用於處理平面物件的函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149 msgctxt "@label" msgid "Support library for handling triangular meshes" msgstr "用於處理三角形網格的函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150 msgctxt "@label" msgid "Support library for handling 3MF files" msgstr "用於處理 3MF 檔案的函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151 msgctxt "@label" msgid "Support library for file metadata and streaming" msgstr "用於檔案 metadata 和串流的函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152 msgctxt "@label" msgid "Serial communication library" msgstr "串口通訊函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153 msgctxt "@label" msgid "ZeroConf discovery library" msgstr "ZeroConf 發現函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154 msgctxt "@label" msgid "Polygon clipping library" msgstr "多邊形剪輯函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155 msgctxt "@Label" msgid "Static type checker for Python" msgstr "Python 靜態型別檢查器" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156 /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157 msgctxt "@Label" msgid "Root Certificates for validating SSL trustworthiness" msgstr "驗證 SSL 可信度用的根憑證" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158 msgctxt "@Label" msgid "Python Error tracking library" msgstr "Python 錯誤追蹤函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159 msgctxt "@label" msgid "Polygon packing library, developed by Prusa Research" msgstr "多邊形包裝函式庫,由 Prusa Research 開發" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160 msgctxt "@label" msgid "Python bindings for libnest2d" msgstr "Python bindings for libnest2d" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161 msgctxt "@label" msgid "Support library for system keyring access" msgstr "存取系統金鑰函式庫" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162 msgctxt "@label" msgid "Python extensions for Microsoft Windows" msgstr "Python擴充(windows)" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163 msgctxt "@label" msgid "Font" msgstr "字體" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164 msgctxt "@label" msgid "SVG icons" msgstr "SVG 圖標" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165 msgctxt "@label" msgid "Linux cross-distribution application deployment" msgstr "Linux cross-distribution 應用程式部署" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645 msgctxt "@title:window" -msgid "Open project file" -msgstr "開啟專案檔案" +msgid "Open file(s)" +msgstr "開啟檔案" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 msgctxt "@text:window" -msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" -msgstr "這是一個 Cura 專案檔案。你想將其作為一個專案開啟還是從中匯入模型?" +msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" +msgstr "我們已經在你所選擇的檔案中找到一個或多個專案檔案,但一次只能開啟一個專案檔案。我們建議只從那些檔案中匯入模型而不開啟專案。你要繼續操作嗎?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 -msgctxt "@text:window" -msgid "Remember my choice" -msgstr "記住我的選擇" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 msgctxt "@action:button" -msgid "Open as project" -msgstr "作為專案開啟" +msgid "Import all as models" +msgstr "匯入所有模型" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 +msgctxt "@title:window" +msgid "Save Project" +msgstr "儲存專案" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 +msgctxt "@action:label" +msgid "Extruder %1" +msgstr "擠出機 %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 +msgctxt "@action:label" +msgid "%1 & material" +msgstr "%1 & 線材" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 +msgctxt "@action:label" +msgid "Material" +msgstr "線材" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 +msgctxt "@action:label" +msgid "Don't show project summary on save again" +msgstr "儲存時不再顯示專案摘要" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 msgctxt "@action:button" -msgid "Import models" -msgstr "匯入模型" +msgid "Save" +msgstr "儲存" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16 msgctxt "@title:window" msgid "Discard or Keep changes" msgstr "捨棄或保留更改" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58 msgctxt "@text:window, %1 is a profile name" msgid "" "You have customized some profile settings.\n" @@ -3855,1229 +3961,144 @@ msgstr "" "你要在切換參數後保留這些更動嗎?\n" "或者你也可以忽略這些更動,從 '%1' 載入預設值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112 msgctxt "@title:column" msgid "Profile settings" msgstr "列印參數設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126 msgctxt "@title:column" msgid "Current changes" msgstr "目前更動" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755 msgctxt "@option:discardOrKeep" msgid "Always ask me this" msgstr "總是詢問" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161 msgctxt "@option:discardOrKeep" msgid "Discard and never ask again" msgstr "捨棄更改,並不再詢問此問題" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162 msgctxt "@option:discardOrKeep" msgid "Keep and never ask again" msgstr "保留更改,並不再詢問此問題" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199 msgctxt "@action:button" msgid "Discard changes" msgstr "忽略更動" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212 msgctxt "@action:button" msgid "Keep changes" msgstr "保留更動" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20 +msgctxt "@title:window" +msgid "Open project file" +msgstr "開啟專案檔案" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88 msgctxt "@text:window" -msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?" -msgstr "我們已經在你所選擇的檔案中找到一個或多個專案檔案,但一次只能開啟一個專案檔案。我們建議只從那些檔案中匯入模型而不開啟專案。你要繼續操作嗎?" +msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?" +msgstr "這是一個 Cura 專案檔案。你想將其作為一個專案開啟還是從中匯入模型?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98 +msgctxt "@text:window" +msgid "Remember my choice" +msgstr "記住我的選擇" + +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117 msgctxt "@action:button" -msgid "Import all as models" -msgstr "匯入所有模型" +msgid "Open as project" +msgstr "作為專案開啟" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16 -msgctxt "@title:window" -msgid "Save Project" -msgstr "儲存專案" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174 -msgctxt "@action:label" -msgid "Extruder %1" -msgstr "擠出機 %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190 -msgctxt "@action:label" -msgid "%1 & material" -msgstr "%1 & 線材" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192 -msgctxt "@action:label" -msgid "Material" -msgstr "線材" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282 -msgctxt "@action:label" -msgid "Don't show project summary on save again" -msgstr "儲存時不再顯示專案摘要" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301 +#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126 msgctxt "@action:button" -msgid "Save" -msgstr "儲存" +msgid "Import models" +msgstr "匯入模型" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16 -msgctxt "@label %1 is filled in with the name of an extruder" -msgid "Print Selected Model with %1" -msgid_plural "Print Selected Models with %1" -msgstr[0] "用 %1 列印所選模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99 -msgctxt "@text Print job name" -msgid "Untitled" -msgstr "無標題" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&File" -msgstr "檔案(&F)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31 -msgctxt "@title:menu menubar:toplevel" -msgid "&Edit" -msgstr "編輯(&E)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12 -msgctxt "@title:menu menubar:toplevel" -msgid "&View" -msgstr "檢視(&V)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60 /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13 -msgctxt "@title:menu menubar:toplevel" -msgid "&Settings" -msgstr "設定(&S)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66 -msgctxt "@title:menu menubar:toplevel" -msgid "E&xtensions" -msgstr "擴充功能(&X)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112 -msgctxt "@title:menu menubar:toplevel" -msgid "P&references" -msgstr "偏好設定(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120 -msgctxt "@title:menu menubar:toplevel" -msgid "&Help" -msgstr "幫助(&H)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166 -msgctxt "@title:window" -msgid "New project" -msgstr "新建專案" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167 -msgctxt "@info:question" -msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings." -msgstr "你確定要開始一個新專案嗎?這將清除列印平台及任何未儲存的設定。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90 -msgctxt "@action:button" -msgid "Marketplace" -msgstr "市集" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 -msgctxt "@header" -msgid "Configurations" -msgstr "設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 -msgctxt "@label" -msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." -msgstr "由於無法識別 %1,因此無法使用此設定。 請連上 %2 下載正確的線材參數設定。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 -msgctxt "@label" -msgid "Marketplace" -msgstr "市集" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 -msgctxt "@label" -msgid "Loading available configurations from the printer..." -msgstr "從印表機載入可用的設定..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 -msgctxt "@label" -msgid "The configurations are not available because the printer is disconnected." -msgstr "由於印表機已斷線,因此設定無法使用。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140 -msgctxt "@label" -msgid "Select configuration" -msgstr "選擇設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251 -msgctxt "@label" -msgid "Configurations" -msgstr "設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 -msgctxt "@header" -msgid "Custom" -msgstr "自訂選項" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 -msgctxt "@label" -msgid "Printer" -msgstr "印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 -msgctxt "@label" -msgid "Enabled" -msgstr "已啟用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 -msgctxt "@label" -msgid "Material" -msgstr "線材" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 -msgctxt "@label" -msgid "Use glue for better adhesion with this material combination." -msgstr "在此線材組合下,使用膠水以獲得較佳的附著。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27 -msgctxt "@label" -msgid "Print Selected Model With:" -msgid_plural "Print Selected Models With:" -msgstr[0] "列印所選模型:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116 -msgctxt "@title:window" -msgid "Multiply Selected Model" -msgid_plural "Multiply Selected Models" -msgstr[0] "複製所選模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141 -msgctxt "@label" -msgid "Number of Copies" -msgstr "複製個數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41 -msgctxt "@title:menu menubar:file" -msgid "&Save Project..." -msgstr "儲存專案...(&S)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74 -msgctxt "@title:menu menubar:file" -msgid "&Export..." -msgstr "匯出...(&E)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85 -msgctxt "@action:inmenu menubar:file" -msgid "Export Selection..." -msgstr "匯出選擇..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13 -msgctxt "@label:category menu label" -msgid "Material" -msgstr "線材" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54 -msgctxt "@label:category menu label" -msgid "Favorites" -msgstr "常用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79 -msgctxt "@label:category menu label" -msgid "Generic" -msgstr "通用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open File(s)..." -msgstr "開啟檔案." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25 -msgctxt "@label:category menu label" -msgid "Network enabled printers" -msgstr "支援網路的印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42 -msgctxt "@label:category menu label" -msgid "Local printers" -msgstr "本機印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Open &Recent" -msgstr "最近開啟的檔案(&R)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 -msgctxt "@title:menu menubar:file" -msgid "Save Project..." -msgstr "儲存專案." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15 -msgctxt "@title:menu menubar:settings" -msgid "&Printer" -msgstr "印表機(&P)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29 -msgctxt "@title:menu" -msgid "&Material" -msgstr "線材(&M)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44 -msgctxt "@action:inmenu" -msgid "Set as Active Extruder" -msgstr "設為主要擠出機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50 -msgctxt "@action:inmenu" -msgid "Enable Extruder" -msgstr "啟用擠出機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57 -msgctxt "@action:inmenu" -msgid "Disable Extruder" -msgstr "關閉擠出機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 -msgctxt "@action:inmenu" -msgid "Visible Settings" -msgstr "顯示設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 -msgctxt "@action:inmenu" -msgid "Collapse All Categories" -msgstr "折疊所有分類" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 -msgctxt "@action:inmenu" -msgid "Manage Setting Visibility..." -msgstr "管理參數顯示..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19 -msgctxt "@action:inmenu menubar:view" -msgid "&Camera position" -msgstr "視角位置(&C)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45 -msgctxt "@action:inmenu menubar:view" -msgid "Camera view" -msgstr "攝影機檢視" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48 -msgctxt "@action:inmenu menubar:view" -msgid "Perspective" -msgstr "透視" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60 -msgctxt "@action:inmenu menubar:view" -msgid "Orthographic" -msgstr "正交" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81 -msgctxt "@action:inmenu menubar:view" -msgid "&Build plate" -msgstr "列印平台(&B)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119 -msgctxt "@label:MonitorStatus" -msgid "Not connected to a printer" -msgstr "未連接至印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123 -msgctxt "@label:MonitorStatus" -msgid "Printer does not accept commands" -msgstr "印表機不接受命令" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133 -msgctxt "@label:MonitorStatus" -msgid "In maintenance. Please check the printer" -msgstr "維護中。請檢查印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144 -msgctxt "@label:MonitorStatus" -msgid "Lost connection with the printer" -msgstr "與印表機的連線中斷" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146 -msgctxt "@label:MonitorStatus" -msgid "Printing..." -msgstr "列印中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149 -msgctxt "@label:MonitorStatus" -msgid "Paused" -msgstr "已暫停" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152 -msgctxt "@label:MonitorStatus" -msgid "Preparing..." -msgstr "準備中..." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154 -msgctxt "@label:MonitorStatus" -msgid "Please remove the print" -msgstr "請取出列印件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326 -msgctxt "@label" -msgid "Abort Print" -msgstr "中斷列印" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338 -msgctxt "@label" -msgid "Are you sure you want to abort the print?" -msgstr "你確定要中斷列印嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112 -msgctxt "@label" -msgid "Is printed as support." -msgstr "做為支撐而列印。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115 -msgctxt "@label" -msgid "Other models overlapping with this model are modified." -msgstr "與此模型重疊的其他模型已被更改。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118 -msgctxt "@label" -msgid "Infill overlapping with this model is modified." -msgstr "與此模型重疊的填充已被更改。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121 -msgctxt "@label" -msgid "Overlaps with this model are not supported." -msgstr "與此模型的重疊沒有支撐。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128 -msgctxt "@label %1 is the number of settings it overrides." -msgid "Overrides %1 setting." -msgid_plural "Overrides %1 settings." -msgstr[0] "覆寫 %1 設定。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59 -msgctxt "@label" -msgid "Object list" -msgstr "物件清單" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143 -msgctxt "@label" -msgid "Interface" -msgstr "介面" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215 -msgctxt "@label" -msgid "Currency:" -msgstr "貨幣:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228 -msgctxt "@label" -msgid "Theme:" -msgstr "主題:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273 -msgctxt "@label" -msgid "You will need to restart the application for these changes to have effect." -msgstr "需重新啟動 Cura,新的設定才能生效。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290 -msgctxt "@info:tooltip" -msgid "Slice automatically when changing settings." -msgstr "當設定變更時自動進行切片。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298 -msgctxt "@option:check" -msgid "Slice automatically" -msgstr "自動切片" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312 -msgctxt "@label" -msgid "Viewport behavior" -msgstr "顯示區設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320 -msgctxt "@info:tooltip" -msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." -msgstr "模型缺少支撐的區域已以紅色標示。如果沒有支撐這些區域將無法正常列印。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329 -msgctxt "@option:check" -msgid "Display overhang" -msgstr "顯示突出部分" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339 -msgctxt "@info:tooltip" -msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." -msgstr "模型缺少或多餘的表面已用警告符號標示。工具路徑是將缺少部份補上的型狀。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348 -msgctxt "@option:check" -msgid "Display model errors" -msgstr "顯示模型錯誤" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356 -msgctxt "@info:tooltip" -msgid "Moves the camera so the model is in the center of the view when a model is selected" -msgstr "當模型被選中時,視角將自動調整到最合適的觀察位置(模型處於正中央)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361 -msgctxt "@action:button" -msgid "Center camera when item is selected" -msgstr "當專案被選中時,自動置中視角" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371 -msgctxt "@info:tooltip" -msgid "Should the default zoom behavior of cura be inverted?" -msgstr "需要讓 Cura 的預設縮放操作反轉嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376 -msgctxt "@action:button" -msgid "Invert the direction of camera zoom." -msgstr "反轉視角縮放方向。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Should zooming move in the direction of the mouse?" -msgstr "是否跟隨滑鼠方向進行縮放?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392 -msgctxt "@info:tooltip" -msgid "Zooming towards the mouse is not supported in the orthographic perspective." -msgstr "正交透視不支援游標縮放功能。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397 -msgctxt "@action:button" -msgid "Zoom toward mouse direction" -msgstr "跟隨滑鼠方向縮放" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved so that they no longer intersect?" -msgstr "需要移動平台上的模型,使它們不再交錯嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428 -msgctxt "@option:check" -msgid "Ensure models are kept apart" -msgstr "確保每個模型都保持分離" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437 -msgctxt "@info:tooltip" -msgid "Should models on the platform be moved down to touch the build plate?" -msgstr "要將模型下降到碰觸列印平台嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442 -msgctxt "@option:check" -msgid "Automatically drop models to the build plate" -msgstr "自動下降模型到列印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454 -msgctxt "@info:tooltip" -msgid "Show caution message in g-code reader." -msgstr "在 g-code 讀取器中顯示警告訊息。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463 -msgctxt "@option:check" -msgid "Caution message in g-code reader" -msgstr "G-code 讀取器中的警告訊息" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471 -msgctxt "@info:tooltip" -msgid "Should layer be forced into compatibility mode?" -msgstr "分層檢視要強制進入相容模式嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476 -msgctxt "@option:check" -msgid "Force layer view compatibility mode (restart required)" -msgstr "強制分層檢視相容模式(需要重新啟動)" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486 -msgctxt "@info:tooltip" -msgid "Should Cura open at the location it was closed?" -msgstr "Cura 應該開啟在前次關閉時的位置嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491 -msgctxt "@option:check" -msgid "Restore window position on start" -msgstr "開啟時復原視窗位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501 -msgctxt "@info:tooltip" -msgid "What type of camera rendering should be used?" -msgstr "使用哪種類型的攝影機渲染?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508 -msgctxt "@window:text" -msgid "Camera rendering:" -msgstr "攝影機渲染:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515 -msgid "Perspective" -msgstr "透視" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516 -msgid "Orthographic" -msgstr "正交" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554 -msgctxt "@label" -msgid "Opening and saving files" -msgstr "開啟並儲存檔案" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561 -msgctxt "@info:tooltip" -msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" -msgstr "從桌面或外部程式開啟檔案時,使用同一 Cura 視窗嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566 -msgctxt "@option:check" -msgid "Use a single instance of Cura" -msgstr "使用同一 Cura 視窗" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576 -msgctxt "@info:tooltip" -msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" -msgstr "需要再載入新模型前清空視窗內之列印平台嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582 -msgctxt "@option:check" -msgid "Clear buildplate before loading model into the single instance" -msgstr "載入新模型時清空視窗內之列印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592 -msgctxt "@info:tooltip" -msgid "Should models be scaled to the build volume if they are too large?" -msgstr "當模型的尺寸過大時,是否將模型自動縮小至列印範圍嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597 -msgctxt "@option:check" -msgid "Scale large models" -msgstr "縮小過大模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607 -msgctxt "@info:tooltip" -msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" -msgstr "部份模型採用較大的單位(例如:公尺),導致模型變得非常小,要將這些模型放大嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612 -msgctxt "@option:check" -msgid "Scale extremely small models" -msgstr "放大過小模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622 -msgctxt "@info:tooltip" -msgid "Should models be selected after they are loaded?" -msgstr "模型載入後要設為被選擇的狀態嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627 -msgctxt "@option:check" -msgid "Select models when loaded" -msgstr "模型載入後選擇模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637 -msgctxt "@info:tooltip" -msgid "Should a prefix based on the printer name be added to the print job name automatically?" -msgstr "是否自動將印表機名稱作為列印作業名稱的前綴?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642 -msgctxt "@option:check" -msgid "Add machine prefix to job name" -msgstr "將印表機名稱前綴添加到列印作業名稱中" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652 -msgctxt "@info:tooltip" -msgid "Should a summary be shown when saving a project file?" -msgstr "儲存專案檔案時是否顯示摘要?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656 -msgctxt "@option:check" -msgid "Show summary dialog when saving project" -msgstr "儲存專案時顯示摘要對話框" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666 -msgctxt "@info:tooltip" -msgid "Default behavior when opening a project file" -msgstr "開啟專案檔案時的預設行為" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674 -msgctxt "@window:text" -msgid "Default behavior when opening a project file: " -msgstr "開啟專案檔案時的預設行為: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688 -msgctxt "@option:openProject" -msgid "Always ask me this" -msgstr "每次都向我確認" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689 -msgctxt "@option:openProject" -msgid "Always open as a project" -msgstr "總是作為一個專案開啟" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690 -msgctxt "@option:openProject" -msgid "Always import models" -msgstr "總是匯入模型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727 -msgctxt "@info:tooltip" -msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." -msgstr "當你對列印參數進行更改然後切換到其他列印參數時,將顯示一個對話框詢問你是否要保留修改。你也可以選擇預設不顯示該對話框。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 -msgctxt "@label" -msgid "Profiles" -msgstr "列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741 -msgctxt "@window:text" -msgid "Default behavior for changed setting values when switching to a different profile: " -msgstr "當切換到另一組列印參數時,對於被修改過的設定的預設行為: " - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756 -msgctxt "@option:discardOrKeep" -msgid "Always discard changed settings" -msgstr "總是放棄修改過的設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757 -msgctxt "@option:discardOrKeep" -msgid "Always transfer changed settings to new profile" -msgstr "總是將修改過的設定轉移至新的列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791 -msgctxt "@label" -msgid "Privacy" -msgstr "隱私權" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797 -msgctxt "@info:tooltip" -msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." -msgstr "你願意將關於你的列印資料以匿名形式發送到 Ultimaker 嗎?注意:我們不會記錄或發送任何模型、IP 位址或其他私人資料。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802 -msgctxt "@option:check" -msgid "Send (anonymous) print information" -msgstr "(匿名)發送列印資訊" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811 -msgctxt "@action:button" -msgid "More information" -msgstr "更多資訊" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829 -msgctxt "@label" -msgid "Updates" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836 -msgctxt "@info:tooltip" -msgid "Should Cura check for updates when the program is started?" -msgstr "當 Cura 啟動時,是否自動檢查更新?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841 -msgctxt "@option:check" -msgid "Check for updates on start" -msgstr "啟動時檢查更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852 -msgctxt "@info:tooltip" -msgid "When checking for updates, only check for stable releases." -msgstr "當檢查更新時,只檢查正式版本." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857 -msgctxt "@option:radio" -msgid "Stable releases only" -msgstr "僅正式版本" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868 -msgctxt "@info:tooltip" -msgid "When checking for updates, check for both stable and for beta releases." -msgstr "當檢查更新時,同時檢查正式版本與測試版本." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873 -msgctxt "@option:radio" -msgid "Stable and Beta releases" -msgstr "正式版本與測試版本發佈" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884 -msgctxt "@info:tooltip" -msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" -msgstr "需要於開啟Cura時自動更新插件嗎? 建議您勿關閉此功能!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889 -msgctxt "@option:check" -msgid "Get notifications for plugin updates" -msgstr "設定插件更新提示" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84 -msgctxt "@action:button" -msgid "Activate" -msgstr "啟用" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152 -msgctxt "@action:button" -msgid "Rename" -msgstr "重命名" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 -msgctxt "@action:button" -msgid "Create" -msgstr "建立" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 -msgctxt "@action:button" -msgid "Duplicate" -msgstr "複製" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167 -msgctxt "@action:button" -msgid "Import" -msgstr "匯入" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179 -msgctxt "@action:button" -msgid "Export" -msgstr "匯出" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 -msgctxt "@action:button Sending materials to printers" -msgid "Sync with Printers" -msgstr "同步列印機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249 -msgctxt "@action:label" -msgid "Printer" -msgstr "印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277 -msgctxt "@title:window" -msgid "Confirm Remove" -msgstr "移除確認" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278 -msgctxt "@label (%1 is object name)" -msgid "Are you sure you wish to remove %1? This cannot be undone!" -msgstr "你確定要移除 %1 嗎?這動作無法復原!" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 -msgctxt "@title:window" -msgid "Import Material" -msgstr "匯入線材設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339 -msgctxt "@info:status Don't translate the XML tags or !" -msgid "Could not import material %1: %2" -msgstr "無法匯入線材 %1%2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully imported material %1" -msgstr "成功匯入線材 %1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361 /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369 -msgctxt "@title:window" -msgid "Export Material" -msgstr "匯出線材設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373 -msgctxt "@info:status Don't translate the XML tags and !" -msgid "Failed to export material to %1: %2" -msgstr "無法匯出線材至 %1%2" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379 -msgctxt "@info:status Don't translate the XML tag !" -msgid "Successfully exported material to %1" -msgstr "成功匯出線材至:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389 -msgctxt "@title:window" -msgid "Export All Materials" -msgstr "匯出所有線材設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 -msgctxt "@title" -msgid "Information" -msgstr "資訊" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 -msgctxt "@title:window" -msgid "Confirm Diameter Change" -msgstr "直徑更改確認" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 -msgctxt "@label (%1 is a number)" -msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" -msgstr "新的線材直徑設定為 %1 mm,這與目前的擠出機不相容。你要繼續嗎?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 -msgctxt "@label" -msgid "Display Name" -msgstr "顯示名稱" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 -msgctxt "@label" -msgid "Material Type" -msgstr "線材類型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 -msgctxt "@label" -msgid "Color" -msgstr "顏色" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 -msgctxt "@label" -msgid "Properties" -msgstr "屬性" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 -msgctxt "@label" -msgid "Density" -msgstr "密度" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 -msgctxt "@label" -msgid "Diameter" -msgstr "直徑" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 -msgctxt "@label" -msgid "Filament Cost" -msgstr "線材成本" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 -msgctxt "@label" -msgid "Filament weight" -msgstr "線材重量" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 -msgctxt "@label" -msgid "Filament length" -msgstr "線材長度" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 -msgctxt "@label" -msgid "Cost per Meter" -msgstr "每公尺成本" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 -msgctxt "@label" -msgid "This material is linked to %1 and shares some of its properties." -msgstr "此線材與 %1 相關聯,並共享其部份屬性。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 -msgctxt "@label" -msgid "Unlink Material" -msgstr "解除聯結線材" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 -msgctxt "@label" -msgid "Description" -msgstr "描述" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 -msgctxt "@label" -msgid "Adhesion Information" -msgstr "附著資訊" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 -msgctxt "@label" -msgid "Print settings" -msgstr "列印設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104 -msgctxt "@label" -msgid "Create" -msgstr "建立" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121 -msgctxt "@label" -msgid "Duplicate" -msgstr "複製" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202 -msgctxt "@title:window" -msgid "Create Profile" -msgstr "建立列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204 -msgctxt "@info" -msgid "Please provide a name for this profile." -msgstr "請為此參數提供一個名字。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263 -msgctxt "@title:window" -msgid "Duplicate Profile" -msgstr "複製列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294 -msgctxt "@title:window" -msgid "Rename Profile" -msgstr "重命名列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307 -msgctxt "@title:window" -msgid "Import Profile" -msgstr "匯入列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336 -msgctxt "@title:window" -msgid "Export Profile" -msgstr "匯出列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399 -msgctxt "@label %1 is printer name" -msgid "Printer: %1" -msgstr "印表機:%1" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557 -msgctxt "@action:button" -msgid "Update profile with current settings/overrides" -msgstr "使用目前設定 / 覆寫值更新列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 -msgctxt "@action:button" -msgid "Discard current changes" -msgstr "捨棄目前更改" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583 -msgctxt "@action:label" -msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." -msgstr "此列印參數使用印表機指定的預設值,因此在下面的清單中沒有此設定項。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591 -msgctxt "@action:label" -msgid "Your current settings match the selected profile." -msgstr "你目前的設定與選定的列印參數相匹配。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609 -msgctxt "@title:tab" -msgid "Global Settings" -msgstr "全局設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61 -msgctxt "@info:status" -msgid "Calculated" -msgstr "已計算" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75 -msgctxt "@title:column" -msgid "Setting" -msgstr "設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82 -msgctxt "@title:column" -msgid "Profile" -msgstr "列印參數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89 -msgctxt "@title:column" -msgid "Current" -msgstr "目前" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97 -msgctxt "@title:column" -msgid "Unit" -msgstr "單位" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 -msgctxt "@title:tab" -msgid "Setting Visibility" -msgstr "參數顯示設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 -msgctxt "@label:textbox" -msgid "Check all" -msgstr "全選" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 -msgctxt "@label" -msgid "Extruder" -msgstr "擠出機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 -msgctxt "@tooltip" -msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." -msgstr "加熱頭的目標溫度。加熱頭將加熱或冷卻至此溫度。若設定為 0,則關閉加熱頭的加熱。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 -msgctxt "@tooltip" -msgid "The current temperature of this hotend." -msgstr "此加熱頭的目前溫度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the hotend to." -msgstr "加熱頭預熱溫度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 -msgctxt "@button Cancel pre-heating" -msgid "Cancel" -msgstr "取消" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 -msgctxt "@button" -msgid "Pre-heat" -msgstr "預熱" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 -msgctxt "@tooltip of pre-heat" -msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." -msgstr "列印前預先加熱。你可以在加熱時繼續調整你的列印,當你準備好列印時就不需等待加熱頭升溫。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 -msgctxt "@tooltip" -msgid "The colour of the material in this extruder." -msgstr "該擠出機中線材的顏色。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 -msgctxt "@tooltip" -msgid "The material in this extruder." -msgstr "該擠出機中的線材。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 -msgctxt "@tooltip" -msgid "The nozzle inserted in this extruder." -msgstr "該擠出機所使用的噴頭。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 -msgctxt "@label" -msgid "Build plate" -msgstr "列印平台" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 -msgctxt "@tooltip" -msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." -msgstr "熱床的目標溫度。熱床將加熱或冷卻至此溫度。若設定為 0,則不使用熱床。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 -msgctxt "@tooltip" -msgid "The current temperature of the heated bed." -msgstr "熱床目前溫度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 -msgctxt "@tooltip of temperature input" -msgid "The temperature to pre-heat the bed to." -msgstr "熱床的預熱溫度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 -msgctxt "@tooltip of pre-heat" -msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." -msgstr "列印前請預熱熱床。你可以在熱床加熱時繼續調整相關物件,讓你在準備列印時不必等待熱床加熱完畢。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 -msgctxt "@label" -msgid "Printer control" -msgstr "印表機控制" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 -msgctxt "@label" -msgid "Jog Position" -msgstr "輕搖位置" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 -msgctxt "@label" -msgid "X/Y" -msgstr "X/Y" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 -msgctxt "@label" -msgid "Z" -msgstr "Z" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 -msgctxt "@label" -msgid "Jog Distance" -msgstr "輕搖距離" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 -msgctxt "@label" -msgid "Send G-code" -msgstr "傳送 G-code" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 -msgctxt "@tooltip of G-code command input" -msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." -msgstr "傳送一個自訂的 G-code 命令到連接中的印表機。按下 Enter 鍵傳送命令。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 -msgctxt "@info:status" -msgid "The printer is not connected." -msgstr "尚未連線到印表機。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 -msgctxt "@status" -msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." -msgstr "雲端印表機為離線狀態。請檢查印表機是否已開機並連上網路。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 -msgctxt "@status" -msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." -msgstr "此印表機未連接到你的帳號。請前往 Ultimaker Digital Factory 建立連接。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." -msgstr "雲端服務目前無法使用。請登入以連接到雲端印表機。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 -msgctxt "@status" -msgid "The cloud connection is currently unavailable. Please check your internet connection." -msgstr "雲端服務目前無法使用。請檢查你的網路連線。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 -msgctxt "@button" -msgid "Add printer" -msgstr "新增印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 -msgctxt "@button" -msgid "Manage printers" -msgstr "管理印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Connected printers" -msgstr "已連線印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 -msgctxt "@label" -msgid "Preset printers" -msgstr "預設印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140 msgctxt "@label" msgid "Active print" msgstr "正在列印" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148 msgctxt "@label" msgid "Job Name" msgstr "作業名稱" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156 msgctxt "@label" msgid "Printing Time" msgstr "列印時間" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164 msgctxt "@label" msgid "Estimated time left" msgstr "預計剩餘時間" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47 +msgctxt "@status" +msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet." +msgstr "雲端印表機為離線狀態。請檢查印表機是否已開機並連上網路。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51 +msgctxt "@status" +msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection." +msgstr "此印表機未連接到你的帳號。請前往 Ultimaker Digital Factory 建立連接。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer." +msgstr "雲端服務目前無法使用。請登入以連接到雲端印表機。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60 +msgctxt "@status" +msgid "The cloud connection is currently unavailable. Please check your internet connection." +msgstr "雲端服務目前無法使用。請檢查你的網路連線。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252 +msgctxt "@button" +msgid "Add printer" +msgstr "新增印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269 +msgctxt "@button" +msgid "Manage printers" +msgstr "管理印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Connected printers" +msgstr "已連線印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19 +msgctxt "@label" +msgid "Preset printers" +msgstr "預設印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374 +msgctxt "@label" +msgid "Print settings" +msgstr "列印設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 +msgctxt "@label shown when we load a Gcode file" +msgid "Print setup disabled. G-code file can not be modified." +msgstr "列印設定已被停用。 G-code 檔案無法修改。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47 msgctxt "@label" msgid "Profile" msgstr "參數" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170 msgctxt "@tooltip" msgid "" "Some setting/override values are different from the values stored in the profile.\n" @@ -5088,119 +4109,1698 @@ msgstr "" "\n" "點擊開啟列印參數管理器。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146 msgctxt "@label:header" msgid "Custom profiles" msgstr "自訂列印參數" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564 +msgctxt "@action:button" +msgid "Discard current changes" +msgstr "捨棄目前更改" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 +msgctxt "@button" +msgid "Recommended" +msgstr "推薦" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 +msgctxt "@button" +msgid "Custom" +msgstr "自訂選項" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 +msgctxt "@label:Should be short" +msgid "On" +msgstr "開啟" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 +msgctxt "@label:Should be short" +msgid "Off" +msgstr "關閉" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +msgctxt "@label" +msgid "Experimental" +msgstr "實驗功能" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31 msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')" msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead" msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead" msgstr[0] "沒有擠出機 %2 用的 %1 參數。將使用預設參數" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21 -msgctxt "@label shown when we load a Gcode file" -msgid "Print setup disabled. G-code file can not be modified." -msgstr "列印設定已被停用。 G-code 檔案無法修改。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144 -msgctxt "@button" -msgid "Recommended" -msgstr "推薦" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158 -msgctxt "@button" -msgid "Custom" -msgstr "自訂選項" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13 -msgctxt "@label:Should be short" -msgid "On" -msgstr "開啟" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14 -msgctxt "@label:Should be short" -msgid "Off" -msgstr "關閉" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736 msgctxt "@label" -msgid "Experimental" -msgstr "實驗功能" +msgid "Profiles" +msgstr "列印參數" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 -msgctxt "@label" -msgid "Adhesion" -msgstr "附著" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 -msgctxt "@label" -msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." -msgstr "允許列印邊緣或木筏。這將在你的物件周圍或下方添加一個容易切斷的平面區域。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 -msgctxt "@label" -msgid "Gradual infill" -msgstr "漸近式填充" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 -msgctxt "@label" -msgid "Gradual infill will gradually increase the amount of infill towards the top." -msgstr "漸近式填充將隨著列印高度的提升而逐漸加大填充密度。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82 msgctxt "@tooltip" msgid "You have modified some profile settings. If you want to change these go to custom mode." msgstr "你修改過部份列印參數設定。如果你想改變這些設定,請切換到自訂模式。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30 msgctxt "@label" msgid "Support" msgstr "支撐" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72 msgctxt "@label" msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing." msgstr "在模型的突出部分產生支撐結構。若不這樣做,這些部分在列印時將倒塌。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196 msgctxt "@label" -msgid "" -"Some hidden settings use values different from their normal calculated value.\n" -"\n" -"Click to make these settings visible." -msgstr "" -"部份隱藏設定使用的值與一般計算所得的值不同。\n" -"\n" -"點擊以顯這些設定。" +msgid "Gradual infill" +msgstr "漸近式填充" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81 +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235 +msgctxt "@label" +msgid "Gradual infill will gradually increase the amount of infill towards the top." +msgstr "漸近式填充將隨著列印高度的提升而逐漸加大填充密度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29 +msgctxt "@label" +msgid "Adhesion" +msgstr "附著" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75 +msgctxt "@label" +msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards." +msgstr "允許列印邊緣或木筏。這將在你的物件周圍或下方添加一個容易切斷的平面區域。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Save Project..." +msgstr "儲存專案." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25 +msgctxt "@label:category menu label" +msgid "Network enabled printers" +msgstr "支援網路的印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42 +msgctxt "@label:category menu label" +msgid "Local printers" +msgstr "本機印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13 +msgctxt "@label:category menu label" +msgid "Material" +msgstr "線材" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54 +msgctxt "@label:category menu label" +msgid "Favorites" +msgstr "常用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79 +msgctxt "@label:category menu label" +msgid "Generic" +msgstr "通用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27 +msgctxt "@label" +msgid "Print Selected Model With:" +msgid_plural "Print Selected Models With:" +msgstr[0] "列印所選模型:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116 +msgctxt "@title:window" +msgid "Multiply Selected Model" +msgid_plural "Multiply Selected Models" +msgstr[0] "複製所選模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141 +msgctxt "@label" +msgid "Number of Copies" +msgstr "複製個數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41 +msgctxt "@title:menu menubar:file" +msgid "&Save Project..." +msgstr "儲存專案...(&S)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74 +msgctxt "@title:menu menubar:file" +msgid "&Export..." +msgstr "匯出...(&E)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85 +msgctxt "@action:inmenu menubar:file" +msgid "Export Selection..." +msgstr "匯出選擇..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18 +msgctxt "@header" +msgid "Configurations" +msgstr "設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25 +msgctxt "@header" +msgid "Custom" +msgstr "自訂選項" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61 +msgctxt "@label" +msgid "Printer" +msgstr "印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213 +msgctxt "@label" +msgid "Enabled" +msgstr "已啟用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267 +msgctxt "@label" +msgid "Material" +msgstr "線材" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407 +msgctxt "@label" +msgid "Use glue for better adhesion with this material combination." +msgstr "在此線材組合下,使用膠水以獲得較佳的附著。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102 +msgctxt "@tooltip" +msgid "The configuration of this extruder is not allowed, and prohibits slicing." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106 +msgctxt "@tooltip" +msgid "There are no profiles matching the configuration of this extruder." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253 +msgctxt "@label" +msgid "Select configuration" +msgstr "選擇設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364 +msgctxt "@label" +msgid "Configurations" +msgstr "設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52 +msgctxt "@label" +msgid "Loading available configurations from the printer..." +msgstr "從印表機載入可用的設定..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53 +msgctxt "@label" +msgid "The configurations are not available because the printer is disconnected." +msgstr "由於印表機已斷線,因此設定無法使用。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137 +msgctxt "@label" +msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile." +msgstr "由於無法識別 %1,因此無法使用此設定。 請連上 %2 下載正確的線材參數設定。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138 +msgctxt "@label" +msgid "Marketplace" +msgstr "市集" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open File(s)..." +msgstr "開啟檔案." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15 +msgctxt "@title:menu menubar:settings" +msgid "&Printer" +msgstr "印表機(&P)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29 +msgctxt "@title:menu" +msgid "&Material" +msgstr "線材(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44 +msgctxt "@action:inmenu" +msgid "Set as Active Extruder" +msgstr "設為主要擠出機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50 +msgctxt "@action:inmenu" +msgid "Enable Extruder" +msgstr "啟用擠出機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57 +msgctxt "@action:inmenu" +msgid "Disable Extruder" +msgstr "關閉擠出機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15 +msgctxt "@title:menu menubar:file" +msgid "Open &Recent" +msgstr "最近開啟的檔案(&R)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16 +msgctxt "@action:inmenu" +msgid "Visible Settings" +msgstr "顯示設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45 +msgctxt "@action:inmenu" +msgid "Collapse All Categories" +msgstr "折疊所有分類" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54 +msgctxt "@action:inmenu" +msgid "Manage Setting Visibility..." +msgstr "管理參數顯示..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19 +msgctxt "@action:inmenu menubar:view" +msgid "&Camera position" +msgstr "視角位置(&C)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45 +msgctxt "@action:inmenu menubar:view" +msgid "Camera view" +msgstr "攝影機檢視" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48 +msgctxt "@action:inmenu menubar:view" +msgid "Perspective" +msgstr "透視" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59 +msgctxt "@action:inmenu menubar:view" +msgid "Orthographic" +msgstr "正交" + +#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79 +msgctxt "@action:inmenu menubar:view" +msgid "&Build plate" +msgstr "列印平台(&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50 +msgctxt "@label" +msgid "View type" +msgstr "檢示類型" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112 +msgctxt "@label" +msgid "Is printed as support." +msgstr "做為支撐而列印。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115 +msgctxt "@label" +msgid "Other models overlapping with this model are modified." +msgstr "與此模型重疊的其他模型已被更改。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118 +msgctxt "@label" +msgid "Infill overlapping with this model is modified." +msgstr "與此模型重疊的填充已被更改。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121 +msgctxt "@label" +msgid "Overlaps with this model are not supported." +msgstr "與此模型的重疊沒有支撐。" + +#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128 +msgctxt "@label %1 is the number of settings it overrides." +msgid "Overrides %1 setting." +msgid_plural "Overrides %1 settings." +msgstr[0] "覆寫 %1 設定。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477 +msgctxt "@title:tab" +msgid "Profiles" +msgstr "列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40 +msgctxt "@action:button" +msgid "Activate" +msgstr "啟用" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104 +msgctxt "@label" +msgid "Create" +msgstr "建立" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121 +msgctxt "@label" +msgid "Duplicate" +msgstr "複製" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63 +msgctxt "@action:button" +msgid "Rename" +msgstr "重命名" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171 +msgctxt "@action:button" +msgid "Import" +msgstr "匯入" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185 +msgctxt "@action:button" +msgid "Export" +msgstr "匯出" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202 +msgctxt "@title:window" +msgid "Create Profile" +msgstr "建立列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204 +msgctxt "@info" +msgid "Please provide a name for this profile." +msgstr "請為此參數提供一個名字。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263 +msgctxt "@title:window" +msgid "Duplicate Profile" +msgstr "複製列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312 +msgctxt "@title:window" +msgid "Confirm Remove" +msgstr "移除確認" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315 +msgctxt "@label (%1 is object name)" +msgid "Are you sure you wish to remove %1? This cannot be undone!" +msgstr "你確定要移除 %1 嗎?這動作無法復原!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294 +msgctxt "@title:window" +msgid "Rename Profile" +msgstr "重命名列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307 +msgctxt "@title:window" +msgid "Import Profile" +msgstr "匯入列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336 +msgctxt "@title:window" +msgid "Export Profile" +msgstr "匯出列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399 +msgctxt "@label %1 is printer name" +msgid "Printer: %1" +msgstr "印表機:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557 +msgctxt "@action:button" +msgid "Update profile with current settings/overrides" +msgstr "使用目前設定 / 覆寫值更新列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583 +msgctxt "@action:label" +msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below." +msgstr "此列印參數使用印表機指定的預設值,因此在下面的清單中沒有此設定項。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591 +msgctxt "@action:label" +msgid "Your current settings match the selected profile." +msgstr "你目前的設定與選定的列印參數相匹配。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609 +msgctxt "@title:tab" +msgid "Global Settings" +msgstr "全局設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468 +msgctxt "@title:tab" +msgid "General" +msgstr "基本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143 +msgctxt "@label" +msgid "Interface" +msgstr "介面" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215 +msgctxt "@label" +msgid "Currency:" +msgstr "貨幣:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228 +msgctxt "@label" +msgid "Theme:" +msgstr "主題:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273 +msgctxt "@label" +msgid "You will need to restart the application for these changes to have effect." +msgstr "需重新啟動 Cura,新的設定才能生效。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290 +msgctxt "@info:tooltip" +msgid "Slice automatically when changing settings." +msgstr "當設定變更時自動進行切片。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298 +msgctxt "@option:check" +msgid "Slice automatically" +msgstr "自動切片" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312 +msgctxt "@label" +msgid "Viewport behavior" +msgstr "顯示區設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320 +msgctxt "@info:tooltip" +msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly." +msgstr "模型缺少支撐的區域已以紅色標示。如果沒有支撐這些區域將無法正常列印。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329 +msgctxt "@option:check" +msgid "Display overhang" +msgstr "顯示突出部分" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339 +msgctxt "@info:tooltip" +msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry." +msgstr "模型缺少或多餘的表面已用警告符號標示。工具路徑是將缺少部份補上的型狀。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348 +msgctxt "@option:check" +msgid "Display model errors" +msgstr "顯示模型錯誤" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356 +msgctxt "@info:tooltip" +msgid "Moves the camera so the model is in the center of the view when a model is selected" +msgstr "當模型被選中時,視角將自動調整到最合適的觀察位置(模型處於正中央)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361 +msgctxt "@action:button" +msgid "Center camera when item is selected" +msgstr "當專案被選中時,自動置中視角" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371 +msgctxt "@info:tooltip" +msgid "Should the default zoom behavior of cura be inverted?" +msgstr "需要讓 Cura 的預設縮放操作反轉嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376 +msgctxt "@action:button" +msgid "Invert the direction of camera zoom." +msgstr "反轉視角縮放方向。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Should zooming move in the direction of the mouse?" +msgstr "是否跟隨滑鼠方向進行縮放?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392 +msgctxt "@info:tooltip" +msgid "Zooming towards the mouse is not supported in the orthographic perspective." +msgstr "正交透視不支援游標縮放功能。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397 +msgctxt "@action:button" +msgid "Zoom toward mouse direction" +msgstr "跟隨滑鼠方向縮放" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved so that they no longer intersect?" +msgstr "需要移動平台上的模型,使它們不再交錯嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428 +msgctxt "@option:check" +msgid "Ensure models are kept apart" +msgstr "確保每個模型都保持分離" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437 +msgctxt "@info:tooltip" +msgid "Should models on the platform be moved down to touch the build plate?" +msgstr "要將模型下降到碰觸列印平台嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442 +msgctxt "@option:check" +msgid "Automatically drop models to the build plate" +msgstr "自動下降模型到列印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454 +msgctxt "@info:tooltip" +msgid "Show caution message in g-code reader." +msgstr "在 g-code 讀取器中顯示警告訊息。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463 +msgctxt "@option:check" +msgid "Caution message in g-code reader" +msgstr "G-code 讀取器中的警告訊息" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471 +msgctxt "@info:tooltip" +msgid "Should layer be forced into compatibility mode?" +msgstr "分層檢視要強制進入相容模式嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476 +msgctxt "@option:check" +msgid "Force layer view compatibility mode (restart required)" +msgstr "強制分層檢視相容模式(需要重新啟動)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486 +msgctxt "@info:tooltip" +msgid "Should Cura open at the location it was closed?" +msgstr "Cura 應該開啟在前次關閉時的位置嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491 +msgctxt "@option:check" +msgid "Restore window position on start" +msgstr "開啟時復原視窗位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501 +msgctxt "@info:tooltip" +msgid "What type of camera rendering should be used?" +msgstr "使用哪種類型的攝影機渲染?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508 +msgctxt "@window:text" +msgid "Camera rendering:" +msgstr "攝影機渲染:" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515 +msgid "Perspective" +msgstr "透視" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516 +msgid "Orthographic" +msgstr "正交" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554 +msgctxt "@label" +msgid "Opening and saving files" +msgstr "開啟並儲存檔案" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561 +msgctxt "@info:tooltip" +msgid "Should opening files from the desktop or external applications open in the same instance of Cura?" +msgstr "從桌面或外部程式開啟檔案時,使用同一 Cura 視窗嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566 +msgctxt "@option:check" +msgid "Use a single instance of Cura" +msgstr "使用同一 Cura 視窗" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576 +msgctxt "@info:tooltip" +msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?" +msgstr "需要再載入新模型前清空視窗內之列印平台嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582 +msgctxt "@option:check" +msgid "Clear buildplate before loading model into the single instance" +msgstr "載入新模型時清空視窗內之列印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592 +msgctxt "@info:tooltip" +msgid "Should models be scaled to the build volume if they are too large?" +msgstr "當模型的尺寸過大時,是否將模型自動縮小至列印範圍嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597 +msgctxt "@option:check" +msgid "Scale large models" +msgstr "縮小過大模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607 +msgctxt "@info:tooltip" +msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?" +msgstr "部份模型採用較大的單位(例如:公尺),導致模型變得非常小,要將這些模型放大嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612 +msgctxt "@option:check" +msgid "Scale extremely small models" +msgstr "放大過小模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622 +msgctxt "@info:tooltip" +msgid "Should models be selected after they are loaded?" +msgstr "模型載入後要設為被選擇的狀態嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627 +msgctxt "@option:check" +msgid "Select models when loaded" +msgstr "模型載入後選擇模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637 +msgctxt "@info:tooltip" +msgid "Should a prefix based on the printer name be added to the print job name automatically?" +msgstr "是否自動將印表機名稱作為列印作業名稱的前綴?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642 +msgctxt "@option:check" +msgid "Add machine prefix to job name" +msgstr "將印表機名稱前綴添加到列印作業名稱中" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652 +msgctxt "@info:tooltip" +msgid "Should a summary be shown when saving a project file?" +msgstr "儲存專案檔案時是否顯示摘要?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656 +msgctxt "@option:check" +msgid "Show summary dialog when saving project" +msgstr "儲存專案時顯示摘要對話框" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666 +msgctxt "@info:tooltip" +msgid "Default behavior when opening a project file" +msgstr "開啟專案檔案時的預設行為" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674 +msgctxt "@window:text" +msgid "Default behavior when opening a project file: " +msgstr "開啟專案檔案時的預設行為: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688 +msgctxt "@option:openProject" +msgid "Always ask me this" +msgstr "每次都向我確認" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689 +msgctxt "@option:openProject" +msgid "Always open as a project" +msgstr "總是作為一個專案開啟" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690 +msgctxt "@option:openProject" +msgid "Always import models" +msgstr "總是匯入模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727 +msgctxt "@info:tooltip" +msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again." +msgstr "當你對列印參數進行更改然後切換到其他列印參數時,將顯示一個對話框詢問你是否要保留修改。你也可以選擇預設不顯示該對話框。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741 +msgctxt "@window:text" +msgid "Default behavior for changed setting values when switching to a different profile: " +msgstr "當切換到另一組列印參數時,對於被修改過的設定的預設行為: " + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756 +msgctxt "@option:discardOrKeep" +msgid "Always discard changed settings" +msgstr "總是放棄修改過的設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757 +msgctxt "@option:discardOrKeep" +msgid "Always transfer changed settings to new profile" +msgstr "總是將修改過的設定轉移至新的列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791 +msgctxt "@label" +msgid "Privacy" +msgstr "隱私權" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797 +msgctxt "@info:tooltip" +msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored." +msgstr "你願意將關於你的列印資料以匿名形式發送到 Ultimaker 嗎?注意:我們不會記錄或發送任何模型、IP 位址或其他私人資料。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802 +msgctxt "@option:check" +msgid "Send (anonymous) print information" +msgstr "(匿名)發送列印資訊" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811 +msgctxt "@action:button" +msgid "More information" +msgstr "更多資訊" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829 +msgctxt "@label" +msgid "Updates" +msgstr "更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836 +msgctxt "@info:tooltip" +msgid "Should Cura check for updates when the program is started?" +msgstr "當 Cura 啟動時,是否自動檢查更新?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841 +msgctxt "@option:check" +msgid "Check for updates on start" +msgstr "啟動時檢查更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852 +msgctxt "@info:tooltip" +msgid "When checking for updates, only check for stable releases." +msgstr "當檢查更新時,只檢查正式版本." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857 +msgctxt "@option:radio" +msgid "Stable releases only" +msgstr "僅正式版本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868 +msgctxt "@info:tooltip" +msgid "When checking for updates, check for both stable and for beta releases." +msgstr "當檢查更新時,同時檢查正式版本與測試版本." + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873 +msgctxt "@option:radio" +msgid "Stable and Beta releases" +msgstr "正式版本與測試版本發佈" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884 +msgctxt "@info:tooltip" +msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!" +msgstr "需要於開啟Cura時自動更新插件嗎? 建議您勿關閉此功能!" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889 +msgctxt "@option:check" +msgid "Get notifications for plugin updates" +msgstr "設定插件更新提示" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72 +msgctxt "@title" +msgid "Information" +msgstr "資訊" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101 +msgctxt "@title:window" +msgid "Confirm Diameter Change" +msgstr "直徑更改確認" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102 +msgctxt "@label (%1 is a number)" +msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?" +msgstr "新的線材直徑設定為 %1 mm,這與目前的擠出機不相容。你要繼續嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128 +msgctxt "@label" +msgid "Display Name" +msgstr "顯示名稱" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148 +msgctxt "@label" +msgid "Material Type" +msgstr "線材類型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158 +msgctxt "@label" +msgid "Color" +msgstr "顏色" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208 +msgctxt "@label" +msgid "Properties" +msgstr "屬性" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210 +msgctxt "@label" +msgid "Density" +msgstr "密度" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225 +msgctxt "@label" +msgid "Diameter" +msgstr "直徑" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259 +msgctxt "@label" +msgid "Filament Cost" +msgstr "線材成本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276 +msgctxt "@label" +msgid "Filament weight" +msgstr "線材重量" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294 +msgctxt "@label" +msgid "Filament length" +msgstr "線材長度" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303 +msgctxt "@label" +msgid "Cost per Meter" +msgstr "每公尺成本" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317 +msgctxt "@label" +msgid "This material is linked to %1 and shares some of its properties." +msgstr "此線材與 %1 相關聯,並共享其部份屬性。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324 +msgctxt "@label" +msgid "Unlink Material" +msgstr "解除聯結線材" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335 +msgctxt "@label" +msgid "Description" +msgstr "描述" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348 +msgctxt "@label" +msgid "Adhesion Information" +msgstr "附著資訊" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126 +msgctxt "@action:button" +msgid "Create" +msgstr "建立" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141 +msgctxt "@action:button" +msgid "Duplicate" +msgstr "複製" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199 +msgctxt "@action:button Sending materials to printers" +msgid "Sync with Printers" +msgstr "同步列印機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248 +msgctxt "@action:label" +msgid "Printer" +msgstr "印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337 +msgctxt "@title:window" +msgid "Import Material" +msgstr "匯入線材設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338 +msgctxt "@info:status Don't translate the XML tags or !" +msgid "Could not import material %1: %2" +msgstr "無法匯入線材 %1%2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully imported material %1" +msgstr "成功匯入線材 %1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368 +msgctxt "@title:window" +msgid "Export Material" +msgstr "匯出線材設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372 +msgctxt "@info:status Don't translate the XML tags and !" +msgid "Failed to export material to %1: %2" +msgstr "無法匯出線材至 %1%2" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378 +msgctxt "@info:status Don't translate the XML tag !" +msgid "Successfully exported material to %1" +msgstr "成功匯出線材至:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17 +msgctxt "@title:window" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47 +msgctxt "@title:header" +msgid "Sync materials with printers" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53 +msgctxt "@text" +msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77 +msgctxt "@button" +msgid "Start" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98 +msgctxt "@button" +msgid "Why do I need to sync material profiles?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130 +msgctxt "@title:header" +msgid "Sign in" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137 +msgctxt "@text" +msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611 +msgctxt "@button" +msgid "Sync materials with USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200 +msgctxt "@title:header" +msgid "The following printers will receive the new material profiles:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207 +msgctxt "@title:header" +msgid "Something went wrong when sending the materials to the printers." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214 +msgctxt "@title:header" +msgid "Material profiles successfully synced with the following printers:" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444 +msgctxt "@button" +msgid "Troubleshooting" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432 +msgctxt "@text Asking the user whether printers are missing in a list." +msgid "Printers missing?" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434 +msgctxt "@text" +msgid "Make sure all your printers are turned ON and connected to Digital Factory." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457 +msgctxt "@button" +msgid "Refresh List" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487 +msgctxt "@button" +msgid "Try again" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Done" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493 +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618 +msgctxt "@button" +msgid "Sync" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549 +msgctxt "@button" +msgid "Syncing" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566 +msgctxt "@title:header" +msgid "No printers found" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582 +msgctxt "@text" +msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595 +msgctxt "@button" +msgid "Learn how to connect your printer to Digital Factory" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625 +msgctxt "@button" +msgid "Refresh" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647 +msgctxt "@title:header" +msgid "Sync material profiles via USB" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654 +msgctxt "@text In the UI this is followed by a list of steps the user needs to take." +msgid "Follow the following steps to load the new material profiles to your printer." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679 +msgctxt "@text" +msgid "Click the export material archive button." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680 +msgctxt "@text" +msgid "Save the .umm file on a USB stick." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681 +msgctxt "@text" +msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles." +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692 +msgctxt "@button" +msgid "How to load new material profiles to my printer" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716 +msgctxt "@button" +msgid "Export material archive" +msgstr "" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753 +msgctxt "@title:window" +msgid "Export All Materials" +msgstr "匯出所有線材設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16 +msgctxt "@title:tab" +msgid "Setting Visibility" +msgstr "參數顯示設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48 +msgctxt "@label:textbox" +msgid "Check all" +msgstr "全選" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473 +msgctxt "@title:tab" +msgid "Printers" +msgstr "印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61 +msgctxt "@info:status" +msgid "Calculated" +msgstr "已計算" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75 +msgctxt "@title:column" +msgid "Setting" +msgstr "設定" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82 +msgctxt "@title:column" +msgid "Profile" +msgstr "列印參數" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89 +msgctxt "@title:column" +msgid "Current" +msgstr "目前" + +#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97 +msgctxt "@title:column" +msgid "Unit" +msgstr "單位" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119 +msgctxt "@label:MonitorStatus" +msgid "Not connected to a printer" +msgstr "未連接至印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123 +msgctxt "@label:MonitorStatus" +msgid "Printer does not accept commands" +msgstr "印表機不接受命令" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133 +msgctxt "@label:MonitorStatus" +msgid "In maintenance. Please check the printer" +msgstr "維護中。請檢查印表機" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144 +msgctxt "@label:MonitorStatus" +msgid "Lost connection with the printer" +msgstr "與印表機的連線中斷" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146 +msgctxt "@label:MonitorStatus" +msgid "Printing..." +msgstr "列印中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149 +msgctxt "@label:MonitorStatus" +msgid "Paused" +msgstr "已暫停" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152 +msgctxt "@label:MonitorStatus" +msgid "Preparing..." +msgstr "準備中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154 +msgctxt "@label:MonitorStatus" +msgid "Please remove the print" +msgstr "請取出列印件" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326 +msgctxt "@label" +msgid "Abort Print" +msgstr "中斷列印" + +#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338 +msgctxt "@label" +msgid "Are you sure you want to abort the print?" +msgstr "你確定要中斷列印嗎?" + +#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16 +msgctxt "@label %1 is filled in with the name of an extruder" +msgid "Print Selected Model with %1" +msgid_plural "Print Selected Models with %1" +msgstr[0] "用 %1 列印所選模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32 +msgctxt "@label:button" +msgid "My printers" +msgstr "我的列印機" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34 +msgctxt "@tooltip:button" +msgid "Monitor printers in Ultimaker Digital Factory." +msgstr "從Ultimaker Digital Factory中監控我的列印機." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41 +msgctxt "@tooltip:button" +msgid "Create print projects in Digital Library." +msgstr "從 Digital Library中創建列印專案." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46 +msgctxt "@label:button" +msgid "Print jobs" +msgstr "列印工作" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48 +msgctxt "@tooltip:button" +msgid "Monitor print jobs and reprint from your print history." +msgstr "監控列印工作並於從您的歷史紀錄中再次列印." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55 +msgctxt "@tooltip:button" +msgid "Extend Ultimaker Cura with plugins and material profiles." +msgstr "使用插件及線材參數擴充Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62 +msgctxt "@tooltip:button" +msgid "Become a 3D printing expert with Ultimaker e-learning." +msgstr "使用Ultimaker e-learning成為一位3D列印專家." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67 +msgctxt "@label:button" +msgid "Ultimaker support" +msgstr "Ultimaker 支援" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69 +msgctxt "@tooltip:button" +msgid "Learn how to get started with Ultimaker Cura." +msgstr "學習如何開始使用Ultimaker Cura." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74 +msgctxt "@label:button" +msgid "Ask a question" +msgstr "提出問題" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76 +msgctxt "@tooltip:button" +msgid "Consult the Ultimaker Community." +msgstr "諮詢Ultimaker社群." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81 +msgctxt "@label:button" +msgid "Report a bug" +msgstr "回報Bug" + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83 +msgctxt "@tooltip:button" +msgid "Let developers know that something is going wrong." +msgstr "讓開發者了解您遇到的問題." + +#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90 +msgctxt "@tooltip:button" +msgid "Visit the Ultimaker website." +msgstr "參觀Ultimaker網站." + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52 +msgctxt "@label" +msgid "Printer control" +msgstr "印表機控制" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67 +msgctxt "@label" +msgid "Jog Position" +msgstr "輕搖位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85 +msgctxt "@label" +msgid "X/Y" +msgstr "X/Y" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192 +msgctxt "@label" +msgid "Z" +msgstr "Z" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257 +msgctxt "@label" +msgid "Jog Distance" +msgstr "輕搖距離" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301 +msgctxt "@label" +msgid "Send G-code" +msgstr "傳送 G-code" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365 +msgctxt "@tooltip of G-code command input" +msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command." +msgstr "傳送一個自訂的 G-code 命令到連接中的印表機。按下 Enter 鍵傳送命令。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41 +msgctxt "@label" +msgid "Extruder" +msgstr "擠出機" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71 +msgctxt "@tooltip" +msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off." +msgstr "加熱頭的目標溫度。加熱頭將加熱或冷卻至此溫度。若設定為 0,則關閉加熱頭的加熱。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103 +msgctxt "@tooltip" +msgid "The current temperature of this hotend." +msgstr "此加熱頭的目前溫度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the hotend to." +msgstr "加熱頭預熱溫度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332 +msgctxt "@button Cancel pre-heating" +msgid "Cancel" +msgstr "取消" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344 +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335 +msgctxt "@button" +msgid "Pre-heat" +msgstr "預熱" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370 +msgctxt "@tooltip of pre-heat" +msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print." +msgstr "列印前預先加熱。你可以在加熱時繼續調整你的列印,當你準備好列印時就不需等待加熱頭升溫。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406 +msgctxt "@tooltip" +msgid "The colour of the material in this extruder." +msgstr "該擠出機中線材的顏色。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438 +msgctxt "@tooltip" +msgid "The material in this extruder." +msgstr "該擠出機中的線材。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470 +msgctxt "@tooltip" +msgid "The nozzle inserted in this extruder." +msgstr "該擠出機所使用的噴頭。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55 +msgctxt "@info:status" +msgid "The printer is not connected." +msgstr "尚未連線到印表機。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26 +msgctxt "@label" +msgid "Build plate" +msgstr "列印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56 +msgctxt "@tooltip" +msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off." +msgstr "熱床的目標溫度。熱床將加熱或冷卻至此溫度。若設定為 0,則不使用熱床。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88 +msgctxt "@tooltip" +msgid "The current temperature of the heated bed." +msgstr "熱床目前溫度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161 +msgctxt "@tooltip of temperature input" +msgid "The temperature to pre-heat the bed to." +msgstr "熱床的預熱溫度。" + +#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361 +msgctxt "@tooltip of pre-heat" +msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print." +msgstr "列印前請預熱熱床。你可以在熱床加熱時繼續調整相關物件,讓你在準備列印時不必等待熱床加熱完畢。" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24 +msgctxt "@action:button" +msgid "Sign in" +msgstr "登入" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42 +msgctxt "@text" +msgid "" +"- Add material profiles and plug-ins from the Marketplace\n" +"- Back-up and sync your material profiles and plug-ins\n" +"- Share ideas and get help from 48,000+ users in the Ultimaker community" +msgstr "" +"- 從市集中加入線材參數及插件\n" +"-備份及同步您的線材設定與插件 \n" +"- 分享創意並可從Ultimaker社群中超過48000的使用者得到幫助" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62 +msgctxt "@button" +msgid "Create a free Ultimaker account" +msgstr "創建免費的Ultimaker帳戶" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82 +msgctxt "@label The argument is a timestamp" +msgid "Last update: %1" +msgstr "最後一次更新:%1" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110 +msgctxt "@button" +msgid "Ultimaker Account" +msgstr "Ultimaker 帳號" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126 +msgctxt "@button" +msgid "Sign Out" +msgstr "登出" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28 +msgctxt "@label" +msgid "Checking..." +msgstr "檢查中..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35 +msgctxt "@label" +msgid "Account synced" +msgstr "帳號已同步" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42 +msgctxt "@label" +msgid "Something went wrong..." +msgstr "出了些問題..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96 +msgctxt "@button" +msgid "Install pending updates" +msgstr "安裝待處理的更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118 +msgctxt "@button" +msgid "Check for account updates" +msgstr "檢查帳號更新" + +#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99 +msgctxt "@text Print job name" +msgid "Untitled" +msgstr "無標題" + +#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18 +msgctxt "@label" +msgid "No items to select from" +msgstr "沒有可選取的專案" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83 +msgctxt "@action:inmenu" +msgid "Show Online Troubleshooting Guide" +msgstr "顯示線上故障排除指南" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90 +msgctxt "@action:inmenu" +msgid "Toggle Full Screen" +msgstr "切換全螢幕" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98 +msgctxt "@action:inmenu" +msgid "Exit Full Screen" +msgstr "離開全螢幕" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105 +msgctxt "@action:inmenu menubar:edit" +msgid "&Undo" +msgstr "復原(&U)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115 +msgctxt "@action:inmenu menubar:edit" +msgid "&Redo" +msgstr "取消復原(&R)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133 +msgctxt "@action:inmenu menubar:file" +msgid "&Quit" +msgstr "退出(&Q)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141 +msgctxt "@action:inmenu menubar:view" +msgid "3D View" +msgstr "立體圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148 +msgctxt "@action:inmenu menubar:view" +msgid "Front View" +msgstr "前視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155 +msgctxt "@action:inmenu menubar:view" +msgid "Top View" +msgstr "上視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162 +msgctxt "@action:inmenu menubar:view" +msgid "Bottom View" +msgstr "下視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169 +msgctxt "@action:inmenu menubar:view" +msgid "Left Side View" +msgstr "左視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176 +msgctxt "@action:inmenu menubar:view" +msgid "Right Side View" +msgstr "右視圖" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190 +msgctxt "@action:inmenu" +msgid "Configure Cura..." +msgstr "設定 Cura..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197 +msgctxt "@action:inmenu menubar:printer" +msgid "&Add Printer..." +msgstr "新增印表機(&A)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203 +msgctxt "@action:inmenu menubar:printer" +msgid "Manage Pr&inters..." +msgstr "管理印表機(&I)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210 +msgctxt "@action:inmenu" +msgid "Manage Materials..." +msgstr "管理線材..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218 +msgctxt "@action:inmenu" +msgid "Add more materials from Marketplace" +msgstr "從市集增加更多線材" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225 +msgctxt "@action:inmenu menubar:profile" +msgid "&Update profile with current settings/overrides" +msgstr "使用目前設定 / 覆寫更新列印參數(&U)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233 +msgctxt "@action:inmenu menubar:profile" +msgid "&Discard current changes" +msgstr "捨棄目前更改(&D)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245 +msgctxt "@action:inmenu menubar:profile" +msgid "&Create profile from current settings/overrides..." +msgstr "從目前設定 / 覆寫值建立列印參數(&C)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251 +msgctxt "@action:inmenu menubar:profile" +msgid "Manage Profiles..." +msgstr "管理列印參數.." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259 +msgctxt "@action:inmenu menubar:help" +msgid "Show Online &Documentation" +msgstr "顯示線上說明文件(&D)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267 +msgctxt "@action:inmenu menubar:help" +msgid "Report a &Bug" +msgstr "BUG 回報(&B)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275 +msgctxt "@action:inmenu menubar:help" +msgid "What's New" +msgstr "新功能" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289 +msgctxt "@action:inmenu menubar:help" +msgid "About..." +msgstr "關於..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296 +msgctxt "@action:inmenu menubar:edit" +msgid "Delete Selected" +msgstr "刪除選取" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306 +msgctxt "@action:inmenu menubar:edit" +msgid "Center Selected" +msgstr "置中選取" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315 +msgctxt "@action:inmenu menubar:edit" +msgid "Multiply Selected" +msgstr "複製選取" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324 +msgctxt "@action:inmenu" +msgid "Delete Model" +msgstr "刪除模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332 +msgctxt "@action:inmenu" +msgid "Ce&nter Model on Platform" +msgstr "將模型置中(&N)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338 +msgctxt "@action:inmenu menubar:edit" +msgid "&Group Models" +msgstr "群組模型(&G)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358 +msgctxt "@action:inmenu menubar:edit" +msgid "Ungroup Models" +msgstr "取消模型群組" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368 +msgctxt "@action:inmenu menubar:edit" +msgid "&Merge Models" +msgstr "結合模型(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378 +msgctxt "@action:inmenu" +msgid "&Multiply Model..." +msgstr "複製模型...(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385 +msgctxt "@action:inmenu menubar:edit" +msgid "Select All Models" +msgstr "選擇所有模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395 +msgctxt "@action:inmenu menubar:edit" +msgid "Clear Build Plate" +msgstr "清空列印平台" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405 +msgctxt "@action:inmenu menubar:file" +msgid "Reload All Models" +msgstr "重新載入所有模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models To All Build Plates" +msgstr "將所有模型排列到所有列印平台上" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange All Models" +msgstr "排列所有模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429 +msgctxt "@action:inmenu menubar:edit" +msgid "Arrange Selection" +msgstr "排列所選模型" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Positions" +msgstr "重置所有模型位置" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443 +msgctxt "@action:inmenu menubar:edit" +msgid "Reset All Model Transformations" +msgstr "重置所有模型旋轉" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452 +msgctxt "@action:inmenu menubar:file" +msgid "&Open File(s)..." +msgstr "開啟檔案(&O)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462 +msgctxt "@action:inmenu menubar:file" +msgid "&New Project..." +msgstr "新建專案(&N)..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469 +msgctxt "@action:inmenu menubar:help" +msgid "Show Configuration Folder" +msgstr "顯示設定資料夾" + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535 +msgctxt "@action:menu" +msgid "Configure setting visibility..." +msgstr "參數顯示設定..." + +#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483 +msgctxt "@action:menu" +msgid "&Marketplace" +msgstr "市集(&M)" + +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81 msgctxt "@label" msgid "This setting is not used because all the settings that it influences are overridden." msgstr "此設定未被使用,因為受它影響的設定都被覆寫了。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86 msgctxt "@label Header for list of settings." msgid "Affects" msgstr "影響" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91 msgctxt "@label Header for list of settings." msgid "Affected By" msgstr "影響因素" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188 msgctxt "@label" msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders." msgstr "這個設定是所有擠出機共用的。修改它會同時更動到所有擠出機的值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192 msgctxt "@label" msgid "This setting is resolved from conflicting extruder-specific values:" msgstr "此設定是透過解決擠出機設定值衝突獲得:" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232 msgctxt "@label" msgid "" "This setting has a value that is different from the profile.\n" @@ -5211,7 +5811,7 @@ msgstr "" "\n" "單擊以復原列印參數的值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332 msgctxt "@label" msgid "" "This setting is normally calculated, but it currently has an absolute value set.\n" @@ -5222,506 +5822,93 @@ msgstr "" "\n" "點擊以恢復計算得出的數值。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51 msgctxt "@label:textbox" msgid "Search settings" msgstr "搜尋設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453 msgctxt "@action:menu" msgid "Copy value to all extruders" msgstr "將設定值複製到所有擠出機" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462 msgctxt "@action:menu" msgid "Copy all changed values to all extruders" msgstr "複製所有改變的設定值到所有擠出機" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499 msgctxt "@action:menu" msgid "Hide this setting" msgstr "隱藏此設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512 msgctxt "@action:menu" msgid "Don't show this setting" msgstr "不再顯示此設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516 msgctxt "@action:menu" msgid "Keep this setting visible" msgstr "保持此設定顯示" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27 -msgctxt "@info:tooltip" -msgid "3D View" -msgstr "立體圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40 -msgctxt "@info:tooltip" -msgid "Front View" -msgstr "前視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53 -msgctxt "@info:tooltip" -msgid "Top View" -msgstr "上視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66 -msgctxt "@info:tooltip" -msgid "Left View" -msgstr "左視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79 -msgctxt "@info:tooltip" -msgid "Right View" -msgstr "右視圖" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50 +#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203 msgctxt "@label" -msgid "View type" -msgstr "檢示類型" +msgid "" +"Some hidden settings use values different from their normal calculated value.\n" +"\n" +"Click to make these settings visible." +msgstr "" +"部份隱藏設定使用的值與一般計算所得的值不同。\n" +"\n" +"點擊以顯這些設定。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257 msgctxt "@label" -msgid "Add a Cloud printer" -msgstr "新增雲端印表機" +msgid "This package will be installed after restarting." +msgstr "此套件將在重新啟動後安裝。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74 -msgctxt "@label" -msgid "Waiting for Cloud response" -msgstr "等待雲端服務回應" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471 +msgctxt "@title:tab" +msgid "Settings" +msgstr "設定" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86 -msgctxt "@label" -msgid "No printers found in your account?" -msgstr "在你的帳號未發現任何印表機?" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594 +msgctxt "@title:window %1 is the application name" +msgid "Closing %1" +msgstr "關閉 %1 中" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121 -msgctxt "@label" -msgid "The following printers in your account have been added in Cura:" -msgstr "下列你帳號中的印表機已新增至 Cura:" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595 +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607 +msgctxt "@label %1 is the application name" +msgid "Are you sure you want to exit %1?" +msgstr "是否確定要離開 %1 ?" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204 -msgctxt "@button" -msgid "Add printer manually" -msgstr "手動新增印表機" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755 +msgctxt "@window:title" +msgid "Install Package" +msgstr "安裝套件" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234 -msgctxt "@label" -msgid "Manufacturer" -msgstr "製造商" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763 +msgctxt "@title:window" +msgid "Open File(s)" +msgstr "開啟檔案" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251 -msgctxt "@label" -msgid "Profile author" -msgstr "列印參數作者" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766 +msgctxt "@text:window" +msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one." +msgstr "我們已經在你選擇的檔案中找到一個或多個 G-Code 檔案。你一次只能開啟一個 G-Code 檔案。若需開啟 G-Code 檔案,請僅選擇一個。" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269 -msgctxt "@label" -msgid "Printer name" -msgstr "印表機名稱" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278 -msgctxt "@text" -msgid "Please name your printer" -msgstr "請為你的印表機取一個名稱" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24 -msgctxt "@label" -msgid "Add a printer" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875 +msgctxt "@title:window" +msgid "Add Printer" msgstr "新增印表機" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39 -msgctxt "@label" -msgid "Add a networked printer" -msgstr "新增網路印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90 -msgctxt "@label" -msgid "Add a non-networked printer" -msgstr "新增非網路印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43 -msgctxt "@label" -msgid "There is no printer found over your network." -msgstr "在你的網路上找不到印表機。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182 -msgctxt "@label" -msgid "Refresh" -msgstr "更新" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193 -msgctxt "@label" -msgid "Add printer by IP" -msgstr "使用 IP 位址新增印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204 -msgctxt "@label" -msgid "Add cloud printer" -msgstr "新增雲端印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241 -msgctxt "@label" -msgid "Troubleshooting" -msgstr "故障排除" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70 -msgctxt "@label" -msgid "Add printer by IP address" -msgstr "使用 IP 位址新增印表機" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133 -msgctxt "@text" -msgid "Enter your printer's IP address." -msgstr "輸入印表機的 IP 位址。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158 -msgctxt "@button" -msgid "Add" -msgstr "新增" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206 -msgctxt "@label" -msgid "Could not connect to device." -msgstr "無法連接到裝置。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207 /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212 -msgctxt "@label" -msgid "Can't connect to your Ultimaker printer?" -msgstr "無法連接到 Ultimaker 印表機?" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211 -msgctxt "@label" -msgid "The printer at this address has not responded yet." -msgstr "此位址的印表機尚未回應。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245 -msgctxt "@label" -msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group." -msgstr "無法添加此印表機,因為它是未知的印表機,或者它不是印表機群組的主機。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334 -msgctxt "@button" -msgid "Back" -msgstr "返回" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347 -msgctxt "@button" -msgid "Connect" -msgstr "連接" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24 -msgctxt "@label" -msgid "Release Notes" -msgstr "發佈通知" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124 -msgctxt "@text" -msgid "Add material settings and plugins from the Marketplace" -msgstr "從市集中加入線材設定或插件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154 -msgctxt "@text" -msgid "Backup and sync your material settings and plugins" -msgstr "備份及同步您的線材設定與插件" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184 -msgctxt "@text" -msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community" -msgstr "分享創意並可從Ultimaker社群中超過48000的使用者得到幫助" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202 -msgctxt "@button" -msgid "Skip" -msgstr "略過" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214 -msgctxt "@text" -msgid "Create a free Ultimaker Account" -msgstr "創建免費的Ultimaker帳戶" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24 -msgctxt "@label" -msgid "Help us to improve Ultimaker Cura" -msgstr "協助我們改進 Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57 -msgctxt "@text" -msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:" -msgstr "Ultimaker Cura 搜集匿名資料以提高列印品質和使用者體驗,包含:" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71 -msgctxt "@text" -msgid "Machine types" -msgstr "機器類型" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77 -msgctxt "@text" -msgid "Material usage" -msgstr "線材用法" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83 -msgctxt "@text" -msgid "Number of slices" -msgstr "切片次數" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89 -msgctxt "@text" -msgid "Print settings" -msgstr "列印設定" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102 -msgctxt "@text" -msgid "Data collected by Ultimaker Cura will not contain any personal information." -msgstr "Ultimaker Cura 收集的資料不包含任何個人資訊。" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103 -msgctxt "@text" -msgid "More information" -msgstr "更多資訊" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93 -msgctxt "@label" -msgid "Empty" -msgstr "空的" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23 -msgctxt "@label" -msgid "User Agreement" -msgstr "使用者授權" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70 -msgctxt "@button" -msgid "Decline and close" -msgstr "拒絕並關閉" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56 -msgctxt "@label" -msgid "Welcome to Ultimaker Cura" -msgstr "歡迎來到 Ultimaker Cura" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68 -msgctxt "@text" -msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments." -msgstr "請依照步驟安裝Ultimaker Cura. 這會需要幾分鐘的時間." - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86 -msgctxt "@button" -msgid "Get started" -msgstr "開始" - -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29 -msgctxt "@label" +#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883 +msgctxt "@title:window" msgid "What's New" msgstr "新功能" -#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18 -msgctxt "@label" -msgid "No items to select from" -msgstr "沒有可選取的專案" - -#: ModelChecker/plugin.json -msgctxt "description" -msgid "Checks models and print configuration for possible printing issues and give suggestions." -msgstr "檢查模型和列印設定以了解可能發生的問題並給出建議。" - -#: ModelChecker/plugin.json -msgctxt "name" -msgid "Model Checker" -msgstr "模器檢查器" - -#: 3MFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading 3MF files." -msgstr "提供讀取 3MF 格式檔案的支援。" - -#: 3MFReader/plugin.json -msgctxt "name" -msgid "3MF Reader" -msgstr "3MF 讀取器" - -#: 3MFWriter/plugin.json -msgctxt "description" -msgid "Provides support for writing 3MF files." -msgstr "提供寫入 3MF 檔案的支援。" - -#: 3MFWriter/plugin.json -msgctxt "name" -msgid "3MF Writer" -msgstr "3MF 寫入器" - -#: AMFReader/plugin.json -msgctxt "description" -msgid "Provides support for reading AMF files." -msgstr "提供對讀取 AMF 格式檔案的支援。" - -#: AMFReader/plugin.json -msgctxt "name" -msgid "AMF Reader" -msgstr "AMF 讀取器" - -#: CuraDrive/plugin.json -msgctxt "description" -msgid "Backup and restore your configuration." -msgstr "備份和復原你的設定。" - -#: CuraDrive/plugin.json -msgctxt "name" -msgid "Cura Backups" -msgstr "Cura 備份" - -#: CuraEngineBackend/plugin.json -msgctxt "description" -msgid "Provides the link to the CuraEngine slicing backend." -msgstr "提供連結到 Cura 切片引擎後台。" - -#: CuraEngineBackend/plugin.json -msgctxt "name" -msgid "CuraEngine Backend" -msgstr "Cura 引擎後台" - -#: CuraProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing Cura profiles." -msgstr "提供匯入 Cura 列印參數的支援。" - -#: CuraProfileReader/plugin.json -msgctxt "name" -msgid "Cura Profile Reader" -msgstr "Cura 列印參數讀取器" - -#: CuraProfileWriter/plugin.json -msgctxt "description" -msgid "Provides support for exporting Cura profiles." -msgstr "提供匯出 Cura 列印參數的支援。" - -#: CuraProfileWriter/plugin.json -msgctxt "name" -msgid "Cura Profile Writer" -msgstr "Cura 列印參數寫入器" - -#: DigitalLibrary/plugin.json -msgctxt "description" -msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." -msgstr "連結至\"數位博物館\",允許Cura從\"數位博物館\"打開或保存文件." - -#: DigitalLibrary/plugin.json -msgctxt "name" -msgid "Ultimaker Digital Library" -msgstr "Ultimaker 數位博物館" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "description" -msgid "Checks for firmware updates." -msgstr "檢查是否有韌體更新。" - -#: FirmwareUpdateChecker/plugin.json -msgctxt "name" -msgid "Firmware Update Checker" -msgstr "韌體更新檢查" - -#: FirmwareUpdater/plugin.json -msgctxt "description" -msgid "Provides a machine actions for updating firmware." -msgstr "提供升級韌體用的機器操作。" - -#: FirmwareUpdater/plugin.json -msgctxt "name" -msgid "Firmware Updater" -msgstr "韌體更新器" - -#: GCodeGzReader/plugin.json -msgctxt "description" -msgid "Reads g-code from a compressed archive." -msgstr "從一個壓縮檔案中讀取 G-code。" - -#: GCodeGzReader/plugin.json -msgctxt "name" -msgid "Compressed G-code Reader" -msgstr "壓縮檔案 G-code 讀取器" - -#: GCodeGzWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a compressed archive." -msgstr "將 G-code 寫入壓縮檔案。" - -#: GCodeGzWriter/plugin.json -msgctxt "name" -msgid "Compressed G-code Writer" -msgstr "壓縮檔案 G-code 寫入器" - -#: GCodeProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from g-code files." -msgstr "提供匯入 G-code 檔案中列印參數的支援。" - -#: GCodeProfileReader/plugin.json -msgctxt "name" -msgid "G-code Profile Reader" -msgstr "G-code 列印參數讀取器" - -#: GCodeReader/plugin.json -msgctxt "description" -msgid "Allows loading and displaying G-code files." -msgstr "允許載入和顯示 G-code 檔案。" - -#: GCodeReader/plugin.json -msgctxt "name" -msgid "G-code Reader" -msgstr "G-code 讀取器" - -#: GCodeWriter/plugin.json -msgctxt "description" -msgid "Writes g-code to a file." -msgstr "將 G-code 寫入檔案。" - -#: GCodeWriter/plugin.json -msgctxt "name" -msgid "G-code Writer" -msgstr "G-code 寫入器" - -#: ImageReader/plugin.json -msgctxt "description" -msgid "Enables ability to generate printable geometry from 2D image files." -msgstr "支援從 2D 圖片檔案產生可列印 3D 模型的能力。" - -#: ImageReader/plugin.json -msgctxt "name" -msgid "Image Reader" -msgstr "圖片讀取器" - -#: LegacyProfileReader/plugin.json -msgctxt "description" -msgid "Provides support for importing profiles from legacy Cura versions." -msgstr "提供匯入 Cura 舊版本列印參數的支援。" - -#: LegacyProfileReader/plugin.json -msgctxt "name" -msgid "Legacy Cura Profile Reader" -msgstr "舊版 Cura 列印參數讀取器" - -#: MachineSettingsAction/plugin.json -msgctxt "description" -msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." -msgstr "提供更改機器設定的方法(如列印範圍,噴頭大小等)。" - -#: MachineSettingsAction/plugin.json -msgctxt "name" -msgid "Machine Settings Action" -msgstr "印表機設定操作" - -#: MonitorStage/plugin.json -msgctxt "description" -msgid "Provides a monitor stage in Cura." -msgstr "在 cura 提供一個監控介面。" - -#: MonitorStage/plugin.json -msgctxt "name" -msgid "Monitor Stage" -msgstr "監控介面" - #: PerObjectSettingsTool/plugin.json msgctxt "description" msgid "Provides the Per Model Settings." @@ -5732,85 +5919,45 @@ msgctxt "name" msgid "Per Model Settings Tool" msgstr "單一模型設定工具" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "description" -msgid "Extension that allows for user created scripts for post processing" -msgstr "擴充程式(允許用戶建立腳本進行後處理)" +msgid "Provides support for importing Cura profiles." +msgstr "提供匯入 Cura 列印參數的支援。" -#: PostProcessingPlugin/plugin.json +#: CuraProfileReader/plugin.json msgctxt "name" -msgid "Post Processing" -msgstr "後處理" +msgid "Cura Profile Reader" +msgstr "Cura 列印參數讀取器" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "description" -msgid "Provides a prepare stage in Cura." -msgstr "在 cura 提供一個準備介面。" +msgid "Provides support for reading X3D files." +msgstr "提供讀取 X3D 檔案的支援。" -#: PrepareStage/plugin.json +#: X3DReader/plugin.json msgctxt "name" -msgid "Prepare Stage" -msgstr "準備介面" +msgid "X3D Reader" +msgstr "X3D 讀取器" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "description" -msgid "Provides a preview stage in Cura." -msgstr "在 Cura 提供一個預覽介面。" +msgid "Backup and restore your configuration." +msgstr "備份和復原你的設定。" -#: PreviewStage/plugin.json +#: CuraDrive/plugin.json msgctxt "name" -msgid "Preview Stage" -msgstr "預覽介面" +msgid "Cura Backups" +msgstr "Cura 備份" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "description" -msgid "Provides removable drive hotplugging and writing support." -msgstr "提供行動裝置熱插拔和寫入檔案的支援。" +msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)." +msgstr "提供更改機器設定的方法(如列印範圍,噴頭大小等)。" -#: RemovableDriveOutputDevice/plugin.json +#: MachineSettingsAction/plugin.json msgctxt "name" -msgid "Removable Drive Output Device Plugin" -msgstr "行動裝置輸出設備外掛" - -#: SentryLogger/plugin.json -msgctxt "description" -msgid "Logs certain events so that they can be used by the crash reporter" -msgstr "記錄某些事件以便在錯誤報告中使用" - -#: SentryLogger/plugin.json -msgctxt "name" -msgid "Sentry Logger" -msgstr "哨兵記錄器" - -#: SimulationView/plugin.json -msgctxt "description" -msgid "Provides the Simulation view." -msgstr "提供模擬檢視。" - -#: SimulationView/plugin.json -msgctxt "name" -msgid "Simulation View" -msgstr "模擬檢視" - -#: SliceInfoPlugin/plugin.json -msgctxt "description" -msgid "Submits anonymous slice info. Can be disabled through preferences." -msgstr "提交匿名切片資訊。這項功能可以在偏好設定中關閉。" - -#: SliceInfoPlugin/plugin.json -msgctxt "name" -msgid "Slice info" -msgstr "切片資訊" - -#: SolidView/plugin.json -msgctxt "description" -msgid "Provides a normal solid mesh view." -msgstr "提供一個基本的實體網格檢視。" - -#: SolidView/plugin.json -msgctxt "name" -msgid "Solid View" -msgstr "實體檢視" +msgid "Machine Settings Action" +msgstr "印表機設定操作" #: SupportEraser/plugin.json msgctxt "description" @@ -5822,35 +5969,45 @@ msgctxt "name" msgid "Support Eraser" msgstr "支援抹除器" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "description" -msgid "Find, manage and install new Cura packages." -msgstr "查詢,管理和安裝新的 Cura 套件。" +msgid "Provides removable drive hotplugging and writing support." +msgstr "提供行動裝置熱插拔和寫入檔案的支援。" -#: Toolbox/plugin.json +#: RemovableDriveOutputDevice/plugin.json msgctxt "name" -msgid "Toolbox" -msgstr "工具箱" +msgid "Removable Drive Output Device Plugin" +msgstr "行動裝置輸出設備外掛" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "description" -msgid "Provides support for reading model files." -msgstr "提供讀取模型檔案的支援。" +msgid "Provides a machine actions for updating firmware." +msgstr "提供升級韌體用的機器操作。" -#: TrimeshReader/plugin.json +#: FirmwareUpdater/plugin.json msgctxt "name" -msgid "Trimesh Reader" -msgstr "Trimesh 讀取器" +msgid "Firmware Updater" +msgstr "韌體更新器" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "description" -msgid "Provides support for reading Ultimaker Format Packages." -msgstr "提供讀取 Ultimaker 格式封包的支援。" +msgid "Provides support for importing profiles from legacy Cura versions." +msgstr "提供匯入 Cura 舊版本列印參數的支援。" -#: UFPReader/plugin.json +#: LegacyProfileReader/plugin.json msgctxt "name" -msgid "UFP Reader" -msgstr "UFP 讀取器" +msgid "Legacy Cura Profile Reader" +msgstr "舊版 Cura 列印參數讀取器" + +#: 3MFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading 3MF files." +msgstr "提供讀取 3MF 格式檔案的支援。" + +#: 3MFReader/plugin.json +msgctxt "name" +msgid "3MF Reader" +msgstr "3MF 讀取器" #: UFPWriter/plugin.json msgctxt "description" @@ -5862,25 +6019,95 @@ msgctxt "name" msgid "UFP Writer" msgstr "UFP 寫入器" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "description" -msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." -msgstr "提供 Ultimaker 機器的操作(例如平台調平精靈,選擇升級等)。" +msgid "Logs certain events so that they can be used by the crash reporter" +msgstr "記錄某些事件以便在錯誤報告中使用" -#: UltimakerMachineActions/plugin.json +#: SentryLogger/plugin.json msgctxt "name" -msgid "Ultimaker machine actions" -msgstr "Ultimaker 印表機操作" +msgid "Sentry Logger" +msgstr "哨兵記錄器" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "description" -msgid "Manages network connections to Ultimaker networked printers." -msgstr "管理與 Ultimaker 網絡印表機的網絡連線。" +msgid "Provides support for importing profiles from g-code files." +msgstr "提供匯入 G-code 檔案中列印參數的支援。" -#: UM3NetworkPrinting/plugin.json +#: GCodeProfileReader/plugin.json msgctxt "name" -msgid "Ultimaker Network Connection" -msgstr "Ultimaker 網絡連線" +msgid "G-code Profile Reader" +msgstr "G-code 列印參數讀取器" + +#: PreviewStage/plugin.json +msgctxt "description" +msgid "Provides a preview stage in Cura." +msgstr "在 Cura 提供一個預覽介面。" + +#: PreviewStage/plugin.json +msgctxt "name" +msgid "Preview Stage" +msgstr "預覽介面" + +#: XRayView/plugin.json +msgctxt "description" +msgid "Provides the X-Ray view." +msgstr "提供透視檢視。" + +#: XRayView/plugin.json +msgctxt "name" +msgid "X-Ray View" +msgstr "透視檢視" + +#: CuraEngineBackend/plugin.json +msgctxt "description" +msgid "Provides the link to the CuraEngine slicing backend." +msgstr "提供連結到 Cura 切片引擎後台。" + +#: CuraEngineBackend/plugin.json +msgctxt "name" +msgid "CuraEngine Backend" +msgstr "Cura 引擎後台" + +#: AMFReader/plugin.json +msgctxt "description" +msgid "Provides support for reading AMF files." +msgstr "提供對讀取 AMF 格式檔案的支援。" + +#: AMFReader/plugin.json +msgctxt "name" +msgid "AMF Reader" +msgstr "AMF 讀取器" + +#: GCodeGzReader/plugin.json +msgctxt "description" +msgid "Reads g-code from a compressed archive." +msgstr "從一個壓縮檔案中讀取 G-code。" + +#: GCodeGzReader/plugin.json +msgctxt "name" +msgid "Compressed G-code Reader" +msgstr "壓縮檔案 G-code 讀取器" + +#: PostProcessingPlugin/plugin.json +msgctxt "description" +msgid "Extension that allows for user created scripts for post processing" +msgstr "擴充程式(允許用戶建立腳本進行後處理)" + +#: PostProcessingPlugin/plugin.json +msgctxt "name" +msgid "Post Processing" +msgstr "後處理" + +#: CuraProfileWriter/plugin.json +msgctxt "description" +msgid "Provides support for exporting Cura profiles." +msgstr "提供匯出 Cura 列印參數的支援。" + +#: CuraProfileWriter/plugin.json +msgctxt "name" +msgid "Cura Profile Writer" +msgstr "Cura 列印參數寫入器" #: USBPrinting/plugin.json msgctxt "description" @@ -5892,25 +6119,135 @@ msgctxt "name" msgid "USB printing" msgstr "USB 連線列印" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." -msgstr "將設定從 Cura 2.1 版本升級至 2.2 版本。" +msgid "Provides a prepare stage in Cura." +msgstr "在 cura 提供一個準備介面。" -#: VersionUpgrade/VersionUpgrade21to22/plugin.json +#: PrepareStage/plugin.json msgctxt "name" -msgid "Version Upgrade 2.1 to 2.2" -msgstr "升級版本 2.1 到 2.2" +msgid "Prepare Stage" +msgstr "準備介面" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." -msgstr "將設定從 Cura 2.2 版本升級至 2.4 版本。" +msgid "Allows loading and displaying G-code files." +msgstr "允許載入和顯示 G-code 檔案。" -#: VersionUpgrade/VersionUpgrade22to24/plugin.json +#: GCodeReader/plugin.json msgctxt "name" -msgid "Version Upgrade 2.2 to 2.4" -msgstr "升級版本 2.2 到 2.4" +msgid "G-code Reader" +msgstr "G-code 讀取器" + +#: ImageReader/plugin.json +msgctxt "description" +msgid "Enables ability to generate printable geometry from 2D image files." +msgstr "支援從 2D 圖片檔案產生可列印 3D 模型的能力。" + +#: ImageReader/plugin.json +msgctxt "name" +msgid "Image Reader" +msgstr "圖片讀取器" + +#: UltimakerMachineActions/plugin.json +msgctxt "description" +msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)." +msgstr "提供 Ultimaker 機器的操作(例如平台調平精靈,選擇升級等)。" + +#: UltimakerMachineActions/plugin.json +msgctxt "name" +msgid "Ultimaker machine actions" +msgstr "Ultimaker 印表機操作" + +#: GCodeGzWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a compressed archive." +msgstr "將 G-code 寫入壓縮檔案。" + +#: GCodeGzWriter/plugin.json +msgctxt "name" +msgid "Compressed G-code Writer" +msgstr "壓縮檔案 G-code 寫入器" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "description" +msgid "Checks for firmware updates." +msgstr "檢查是否有韌體更新。" + +#: FirmwareUpdateChecker/plugin.json +msgctxt "name" +msgid "Firmware Update Checker" +msgstr "韌體更新檢查" + +#: SliceInfoPlugin/plugin.json +msgctxt "description" +msgid "Submits anonymous slice info. Can be disabled through preferences." +msgstr "提交匿名切片資訊。這項功能可以在偏好設定中關閉。" + +#: SliceInfoPlugin/plugin.json +msgctxt "name" +msgid "Slice info" +msgstr "切片資訊" + +#: XmlMaterialProfile/plugin.json +msgctxt "description" +msgid "Provides capabilities to read and write XML-based material profiles." +msgstr "提供讀寫 XML 格式線材參數的功能。" + +#: XmlMaterialProfile/plugin.json +msgctxt "name" +msgid "Material Profiles" +msgstr "線材參數" + +#: DigitalLibrary/plugin.json +msgctxt "description" +msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library." +msgstr "連結至\"數位博物館\",允許Cura從\"數位博物館\"打開或保存文件." + +#: DigitalLibrary/plugin.json +msgctxt "name" +msgid "Ultimaker Digital Library" +msgstr "Ultimaker 數位博物館" + +#: Toolbox/plugin.json +msgctxt "description" +msgid "Find, manage and install new Cura packages." +msgstr "查詢,管理和安裝新的 Cura 套件。" + +#: Toolbox/plugin.json +msgctxt "name" +msgid "Toolbox" +msgstr "工具箱" + +#: GCodeWriter/plugin.json +msgctxt "description" +msgid "Writes g-code to a file." +msgstr "將 G-code 寫入檔案。" + +#: GCodeWriter/plugin.json +msgctxt "name" +msgid "G-code Writer" +msgstr "G-code 寫入器" + +#: SimulationView/plugin.json +msgctxt "description" +msgid "Provides the Simulation view." +msgstr "提供模擬檢視。" + +#: SimulationView/plugin.json +msgctxt "name" +msgid "Simulation View" +msgstr "模擬檢視" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." +msgstr "將設定從 Cura 4.5 版本升級至 4.6 版本。" + +#: VersionUpgrade/VersionUpgrade45to46/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.5 to 4.6" +msgstr "升級版本 4.5 到 4.6" #: VersionUpgrade/VersionUpgrade25to26/plugin.json msgctxt "description" @@ -5922,55 +6259,25 @@ msgctxt "name" msgid "Version Upgrade 2.5 to 2.6" msgstr "升級版本 2.5 到 2.6" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." -msgstr "將設定從 Cura 2.6 版本升級至 2.7 版本。" +msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." +msgstr "將設定從 Cura 4.6.0 版本升級至 4.6.2 版本。" -#: VersionUpgrade/VersionUpgrade26to27/plugin.json +#: VersionUpgrade/VersionUpgrade460to462/plugin.json msgctxt "name" -msgid "Version Upgrade 2.6 to 2.7" -msgstr "升級版本 2.6 到 2.7" +msgid "Version Upgrade 4.6.0 to 4.6.2" +msgstr "升級版本 4.6.0 到 4.6.2" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." -msgstr "將設定從 Cura 2.7 版本升級至 3.0 版本。" +msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." +msgstr "將設定從 Cura 4.7 版本升級至 4.8 版本。" -#: VersionUpgrade/VersionUpgrade27to30/plugin.json +#: VersionUpgrade/VersionUpgrade47to48/plugin.json msgctxt "name" -msgid "Version Upgrade 2.7 to 3.0" -msgstr "升級版本 2.7 到 3.0" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." -msgstr "將設定從 Cura 3.0 版本升級至 3.1 版本。" - -#: VersionUpgrade/VersionUpgrade30to31/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.0 to 3.1" -msgstr "升級版本 3.0 到 3.1" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." -msgstr "將設定從 Cura 3.2 版本升級至 3.3 版本。" - -#: VersionUpgrade/VersionUpgrade32to33/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.2 to 3.3" -msgstr "升級版本 3.2 到 3.3" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." -msgstr "將設定從 Cura 3.3 版本升級至 3.4 版本。" - -#: VersionUpgrade/VersionUpgrade33to34/plugin.json -msgctxt "name" -msgid "Version Upgrade 3.3 to 3.4" -msgstr "升級版本 3.3 到 3.4" +msgid "Version Upgrade 4.7 to 4.8" +msgstr "升級版本 4.7 到 4.8" #: VersionUpgrade/VersionUpgrade34to35/plugin.json msgctxt "description" @@ -5982,45 +6289,45 @@ msgctxt "name" msgid "Version Upgrade 3.4 to 3.5" msgstr "升級版本 3.4 到 3.5" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." -msgstr "將設定從 Cura 3.5 版本升級至 4.0 版本。" +msgid "Upgrades configurations from Cura 2.1 to Cura 2.2." +msgstr "將設定從 Cura 2.1 版本升級至 2.2 版本。" -#: VersionUpgrade/VersionUpgrade35to40/plugin.json +#: VersionUpgrade/VersionUpgrade21to22/plugin.json msgctxt "name" -msgid "Version Upgrade 3.5 to 4.0" -msgstr "升級版本 3.5 到 4.0" +msgid "Version Upgrade 2.1 to 2.2" +msgstr "升級版本 2.1 到 2.2" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." -msgstr "將設定從 Cura 4.0 版本升級至 4.1 版本。" +msgid "Upgrades configurations from Cura 3.2 to Cura 3.3." +msgstr "將設定從 Cura 3.2 版本升級至 3.3 版本。" -#: VersionUpgrade/VersionUpgrade40to41/plugin.json +#: VersionUpgrade/VersionUpgrade32to33/plugin.json msgctxt "name" -msgid "Version Upgrade 4.0 to 4.1" -msgstr "升級版本 4.0 到 4.1" +msgid "Version Upgrade 3.2 to 3.3" +msgstr "升級版本 3.2 到 3.3" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." -msgstr "將設定從 Cura 4.11 版本升級至 4.12 版本。" +msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." +msgstr "將設定從 Cura 4.8 版本升級至 4.9 版本。" -#: VersionUpgrade/VersionUpgrade411to412/plugin.json +#: VersionUpgrade/VersionUpgrade48to49/plugin.json msgctxt "name" -msgid "Version Upgrade 4.11 to 4.12" -msgstr "升級版本 4.11 到 4.12" +msgid "Version Upgrade 4.8 to 4.9" +msgstr "升級版本 4.8 到 4.9" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "description" -msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." -msgstr "將設定從 Cura 4.1 版本升級至 4.2 版本。" +msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." +msgstr "將設定從 Cura 4.6.2 版本升級至 4.7 版本。" -#: VersionUpgrade/VersionUpgrade41to42/plugin.json +#: VersionUpgrade/VersionUpgrade462to47/plugin.json msgctxt "name" -msgid "Version Upgrade 4.1 to 4.2" -msgstr "升級版本 4.1 到 4.2" +msgid "Version Upgrade 4.6.2 to 4.7" +msgstr "升級版本 4.6.2 到 4.7" #: VersionUpgrade/VersionUpgrade42to43/plugin.json msgctxt "description" @@ -6042,66 +6349,6 @@ msgctxt "name" msgid "Version Upgrade 4.3 to 4.4" msgstr "升級版本 4.3 到 4.4" -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." -msgstr "將設定從 Cura 4.4 版本升級至 4.5 版本。" - -#: VersionUpgrade/VersionUpgrade44to45/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.4 to 4.5" -msgstr "升級版本 4.4 到 4.5" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.5 to Cura 4.6." -msgstr "將設定從 Cura 4.5 版本升級至 4.6 版本。" - -#: VersionUpgrade/VersionUpgrade45to46/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.5 to 4.6" -msgstr "升級版本 4.5 到 4.6" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2." -msgstr "將設定從 Cura 4.6.0 版本升級至 4.6.2 版本。" - -#: VersionUpgrade/VersionUpgrade460to462/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.0 to 4.6.2" -msgstr "升級版本 4.6.0 到 4.6.2" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7." -msgstr "將設定從 Cura 4.6.2 版本升級至 4.7 版本。" - -#: VersionUpgrade/VersionUpgrade462to47/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.6.2 to 4.7" -msgstr "升級版本 4.6.2 到 4.7" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.7 to Cura 4.8." -msgstr "將設定從 Cura 4.7 版本升級至 4.8 版本。" - -#: VersionUpgrade/VersionUpgrade47to48/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.7 to 4.8" -msgstr "升級版本 4.7 到 4.8" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "description" -msgid "Upgrades configurations from Cura 4.8 to Cura 4.9." -msgstr "將設定從 Cura 4.8 版本升級至 4.9 版本。" - -#: VersionUpgrade/VersionUpgrade48to49/plugin.json -msgctxt "name" -msgid "Version Upgrade 4.8 to 4.9" -msgstr "升級版本 4.8 到 4.9" - #: VersionUpgrade/VersionUpgrade49to410/plugin.json msgctxt "description" msgid "Upgrades configurations from Cura 4.9 to Cura 4.10." @@ -6112,35 +6359,175 @@ msgctxt "name" msgid "Version Upgrade 4.9 to 4.10" msgstr "升級版本 4.9 到 4.10" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "description" -msgid "Provides support for reading X3D files." -msgstr "提供讀取 X3D 檔案的支援。" +msgid "Upgrades configurations from Cura 2.7 to Cura 3.0." +msgstr "將設定從 Cura 2.7 版本升級至 3.0 版本。" -#: X3DReader/plugin.json +#: VersionUpgrade/VersionUpgrade27to30/plugin.json msgctxt "name" -msgid "X3D Reader" -msgstr "X3D 讀取器" +msgid "Version Upgrade 2.7 to 3.0" +msgstr "升級版本 2.7 到 3.0" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "description" -msgid "Provides capabilities to read and write XML-based material profiles." -msgstr "提供讀寫 XML 格式線材參數的功能。" +msgid "Upgrades configurations from Cura 2.6 to Cura 2.7." +msgstr "將設定從 Cura 2.6 版本升級至 2.7 版本。" -#: XmlMaterialProfile/plugin.json +#: VersionUpgrade/VersionUpgrade26to27/plugin.json msgctxt "name" -msgid "Material Profiles" -msgstr "線材參數" +msgid "Version Upgrade 2.6 to 2.7" +msgstr "升級版本 2.6 到 2.7" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "description" -msgid "Provides the X-Ray view." -msgstr "提供透視檢視。" +msgid "Upgrades configurations from Cura 4.11 to Cura 4.12." +msgstr "將設定從 Cura 4.11 版本升級至 4.12 版本。" -#: XRayView/plugin.json +#: VersionUpgrade/VersionUpgrade411to412/plugin.json msgctxt "name" -msgid "X-Ray View" -msgstr "透視檢視" +msgid "Version Upgrade 4.11 to 4.12" +msgstr "升級版本 4.11 到 4.12" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.3 to Cura 3.4." +msgstr "將設定從 Cura 3.3 版本升級至 3.4 版本。" + +#: VersionUpgrade/VersionUpgrade33to34/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.3 to 3.4" +msgstr "升級版本 3.3 到 3.4" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.0 to Cura 3.1." +msgstr "將設定從 Cura 3.0 版本升級至 3.1 版本。" + +#: VersionUpgrade/VersionUpgrade30to31/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.0 to 3.1" +msgstr "升級版本 3.0 到 3.1" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.0 to Cura 4.1." +msgstr "將設定從 Cura 4.0 版本升級至 4.1 版本。" + +#: VersionUpgrade/VersionUpgrade40to41/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.0 to 4.1" +msgstr "升級版本 4.0 到 4.1" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.4 to Cura 4.5." +msgstr "將設定從 Cura 4.4 版本升級至 4.5 版本。" + +#: VersionUpgrade/VersionUpgrade44to45/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.4 to 4.5" +msgstr "升級版本 4.4 到 4.5" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 2.2 to Cura 2.4." +msgstr "將設定從 Cura 2.2 版本升級至 2.4 版本。" + +#: VersionUpgrade/VersionUpgrade22to24/plugin.json +msgctxt "name" +msgid "Version Upgrade 2.2 to 2.4" +msgstr "升級版本 2.2 到 2.4" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 4.1 to Cura 4.2." +msgstr "將設定從 Cura 4.1 版本升級至 4.2 版本。" + +#: VersionUpgrade/VersionUpgrade41to42/plugin.json +msgctxt "name" +msgid "Version Upgrade 4.1 to 4.2" +msgstr "升級版本 4.1 到 4.2" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "description" +msgid "Upgrades configurations from Cura 3.5 to Cura 4.0." +msgstr "將設定從 Cura 3.5 版本升級至 4.0 版本。" + +#: VersionUpgrade/VersionUpgrade35to40/plugin.json +msgctxt "name" +msgid "Version Upgrade 3.5 to 4.0" +msgstr "升級版本 3.5 到 4.0" + +#: UM3NetworkPrinting/plugin.json +msgctxt "description" +msgid "Manages network connections to Ultimaker networked printers." +msgstr "管理與 Ultimaker 網絡印表機的網絡連線。" + +#: UM3NetworkPrinting/plugin.json +msgctxt "name" +msgid "Ultimaker Network Connection" +msgstr "Ultimaker 網絡連線" + +#: TrimeshReader/plugin.json +msgctxt "description" +msgid "Provides support for reading model files." +msgstr "提供讀取模型檔案的支援。" + +#: TrimeshReader/plugin.json +msgctxt "name" +msgid "Trimesh Reader" +msgstr "Trimesh 讀取器" + +#: UFPReader/plugin.json +msgctxt "description" +msgid "Provides support for reading Ultimaker Format Packages." +msgstr "提供讀取 Ultimaker 格式封包的支援。" + +#: UFPReader/plugin.json +msgctxt "name" +msgid "UFP Reader" +msgstr "UFP 讀取器" + +#: SolidView/plugin.json +msgctxt "description" +msgid "Provides a normal solid mesh view." +msgstr "提供一個基本的實體網格檢視。" + +#: SolidView/plugin.json +msgctxt "name" +msgid "Solid View" +msgstr "實體檢視" + +#: 3MFWriter/plugin.json +msgctxt "description" +msgid "Provides support for writing 3MF files." +msgstr "提供寫入 3MF 檔案的支援。" + +#: 3MFWriter/plugin.json +msgctxt "name" +msgid "3MF Writer" +msgstr "3MF 寫入器" + +#: MonitorStage/plugin.json +msgctxt "description" +msgid "Provides a monitor stage in Cura." +msgstr "在 cura 提供一個監控介面。" + +#: MonitorStage/plugin.json +msgctxt "name" +msgid "Monitor Stage" +msgstr "監控介面" + +#: ModelChecker/plugin.json +msgctxt "description" +msgid "Checks models and print configuration for possible printing issues and give suggestions." +msgstr "檢查模型和列印設定以了解可能發生的問題並給出建議。" + +#: ModelChecker/plugin.json +msgctxt "name" +msgid "Model Checker" +msgstr "模器檢查器" #~ msgctxt "@info:status" #~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account." diff --git a/resources/i18n/zh_TW/fdmextruder.def.json.po b/resources/i18n/zh_TW/fdmextruder.def.json.po index 6c98ce720a..5f699c6247 100644 --- a/resources/i18n/zh_TW/fdmextruder.def.json.po +++ b/resources/i18n/zh_TW/fdmextruder.def.json.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 12:00+0000\n" "PO-Revision-Date: 2021-04-16 20:13+0200\n" "Last-Translator: Valen Chang \n" "Language-Team: Valen Chang /Zhang Heh Ji \n" diff --git a/resources/i18n/zh_TW/fdmprinter.def.json.po b/resources/i18n/zh_TW/fdmprinter.def.json.po index 4d965f75d6..29b8cd32ff 100644 --- a/resources/i18n/zh_TW/fdmprinter.def.json.po +++ b/resources/i18n/zh_TW/fdmprinter.def.json.po @@ -5,9 +5,9 @@ # msgid "" msgstr "" -"Project-Id-Version: Cura 4.12\n" +"Project-Id-Version: Cura 4.13\n" "Report-Msgid-Bugs-To: plugins@ultimaker.com\n" -"POT-Creation-Date: 2021-10-20 16:43+0000\n" +"POT-Creation-Date: 2021-12-10 11:59+0000\n" "PO-Revision-Date: 2021-10-31 12:13+0800\n" "Last-Translator: Valen Chang \n" "Language-Team: Valen Chang \n" @@ -155,6 +155,16 @@ msgctxt "machine_depth description" msgid "The depth (Y-direction) of the printable area." msgstr "機器可列印區域深度(Y 座標)" +#: fdmprinter.def.json +msgctxt "machine_height label" +msgid "Machine Height" +msgstr "機器高度" + +#: fdmprinter.def.json +msgctxt "machine_height description" +msgid "The height (Z-direction) of the printable area." +msgstr "機器可列印區域高度(Z 座標)" + #: fdmprinter.def.json msgctxt "machine_shape label" msgid "Build Plate Shape" @@ -195,16 +205,6 @@ msgctxt "machine_buildplate_type option aluminum" msgid "Aluminum" msgstr "鋁" -#: fdmprinter.def.json -msgctxt "machine_height label" -msgid "Machine Height" -msgstr "機器高度" - -#: fdmprinter.def.json -msgctxt "machine_height description" -msgid "The height (Z-direction) of the printable area." -msgstr "機器可列印區域高度(Z 座標)" - #: fdmprinter.def.json msgctxt "machine_heated_bed label" msgid "Has Heated Build Plate" @@ -562,8 +562,8 @@ msgstr "Z 軸方向馬達的最大速度。" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e label" -msgid "Maximum Feedrate" -msgstr "最大進料速率" +msgid "Maximum Speed E" +msgstr "" #: fdmprinter.def.json msgctxt "machine_max_feedrate_e description" @@ -1732,8 +1732,8 @@ msgstr "填充列印樣式" #: fdmprinter.def.json msgctxt "infill_pattern description" -msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." -msgstr "列印填充樣式;直線型與鋸齒狀填充於層間交替方向,減少線材消耗;網格型、三角形、三角-六邊形混和、立方體、八面體、四分立方體、十字形、同心於每層間皆完整列印;螺旋形、立方體、四分立方體及八面體填充於每層一間進行改變,確保每個方向都有相同的強度分配,閃電形填充透過只支撐物件內層頂部來最小化填充,因此填充百分比只對於下一層才有效果." +msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object." +msgstr "" #: fdmprinter.def.json msgctxt "infill_pattern option grid" @@ -2046,8 +2046,8 @@ msgstr "閃電形填充生成角度" #: fdmprinter.def.json msgctxt "lightning_infill_prune_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." -msgstr "閃電形填充層與其附著物間的生成角度." +msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines." +msgstr "" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle label" @@ -2056,8 +2056,8 @@ msgstr "閃電形填充層間垂直堆疊角度" #: fdmprinter.def.json msgctxt "lightning_infill_straightening_angle description" -msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." -msgstr "設定閃電形填充層間垂直堆疊角度,調整樹狀堆疊的平滑度." +msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line." +msgstr "" #: fdmprinter.def.json msgctxt "material label" @@ -6482,6 +6482,22 @@ msgctxt "mesh_rotation_matrix description" msgid "Transformation matrix to be applied to the model when loading it from file." msgstr "在將模型從檔案中載入時套用在模型上的轉換矩陣。" +#~ msgctxt "machine_max_feedrate_e label" +#~ msgid "Maximum Feedrate" +#~ msgstr "最大進料速率" + +#~ msgctxt "infill_pattern description" +#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model." +#~ msgstr "列印填充樣式;直線型與鋸齒狀填充於層間交替方向,減少線材消耗;網格型、三角形、三角-六邊形混和、立方體、八面體、四分立方體、十字形、同心於每層間皆完整列印;螺旋形、立方體、四分立方體及八面體填充於每層一間進行改變,確保每個方向都有相同的強度分配,閃電形填充透過只支撐物件內層頂部來最小化填充,因此填充百分比只對於下一層才有效果." + +#~ msgctxt "lightning_infill_prune_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness." +#~ msgstr "閃電形填充層與其附著物間的生成角度." + +#~ msgctxt "lightning_infill_straightening_angle description" +#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness." +#~ msgstr "設定閃電形填充層間垂直堆疊角度,調整樹狀堆疊的平滑度." + #~ msgctxt "infill_pattern description" #~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction." #~ msgstr "選擇填充線材的樣式。直線和鋸齒狀填充輪流在每一層交換方向,以降低線材成本。網格、三角形、三-六邊形、立方體、八面體、四分立方體、十字形和同心的列印樣式在每層完整列印。螺旋形、立方體、四分立方體和八面體填充隨每層變化,以在各個方向提供更均衡的强度分布。" diff --git a/resources/images/hellbot_magna_SE.png b/resources/images/hellbot_magna_SE.png new file mode 100644 index 0000000000..381490361b Binary files /dev/null and b/resources/images/hellbot_magna_SE.png differ diff --git a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_B.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_B.inst.cfg index 174905d80d..96e66e0755 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_B.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_B.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D010 intent_category = engineering diff --git a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_C.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_C.inst.cfg index 6c21101a3d..f1cf746e64 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_C.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_C.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = engineering diff --git a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_D.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_D.inst.cfg index 1c42d4cf69..b422861d09 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_D.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_accurate_D.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = engineering diff --git a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_D.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_D.inst.cfg index d487a20e00..04c0eb7fe8 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_D.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_D.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_E.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_E.inst.cfg index 410847f04c..8647dfc34b 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_E.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_DBE0.40_ABS_quick_E.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D030 intent_category = quick diff --git a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_B.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_B.inst.cfg index a71b02e70f..ffd057452e 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_B.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_B.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D010 intent_category = engineering diff --git a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_C.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_C.inst.cfg index 46f7628c59..8e6388777d 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_C.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_C.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = engineering diff --git a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_D.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_D.inst.cfg index 60133b3ab4..22a5c9cb48 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_D.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_accurate_D.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = engineering diff --git a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_D.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_D.inst.cfg index 1c9c6416d7..bf6e247fd2 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_D.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_D.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_E.inst.cfg b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_E.inst.cfg index 37c751bdbe..aad18a70cf 100644 --- a/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_E.inst.cfg +++ b/resources/intent/deltacomb/ABS/deltacomb_FBE0.40_ABS_quick_E.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D030 intent_category = quick diff --git a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_B.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_B.inst.cfg index 9aeed6407f..92e729a5f1 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_B.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_B.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D010 intent_category = engineering diff --git a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_C.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_C.inst.cfg index a8923e56ac..b7d3e4dd3b 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_C.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_C.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = engineering diff --git a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_D.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_D.inst.cfg index ff1f295e3f..6f540a5e8b 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_D.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_accurate_D.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = engineering diff --git a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_C.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_C.inst.cfg index 37a87e7c37..4304a5e203 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_C.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_C.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_D.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_D.inst.cfg index 37a87e7c37..4304a5e203 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_D.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_D.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_E.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_E.inst.cfg index f2d71aac53..6ffc2e6157 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_E.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_DBE0.40_PETG_quick_E.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D030 intent_category = quick diff --git a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_B.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_B.inst.cfg index e80bcc8352..0560e1fdee 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_B.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_B.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D010 intent_category = engineering diff --git a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_C.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_C.inst.cfg index 5dd350f125..c7d12a0a88 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_C.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_C.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = engineering diff --git a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_D.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_D.inst.cfg index c84cd6cbeb..7448ada18b 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_D.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_accurate_D.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = engineering diff --git a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_C.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_C.inst.cfg index 7b470f8bfc..0a8f46e248 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_C.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_C.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = quick diff --git a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_D.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_D.inst.cfg index ab0a078b78..87ec8ec80b 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_D.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_D.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_E.inst.cfg b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_E.inst.cfg index becbceb62e..a02011a518 100644 --- a/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_E.inst.cfg +++ b/resources/intent/deltacomb/PETG/deltacomb_FBE0.40_PETG_quick_E.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D030 intent_category = quick diff --git a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_B.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_B.inst.cfg index 8b2f4f1c0c..cb9596f3c9 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_B.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_B.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D010 intent_category = engineering diff --git a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_C.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_C.inst.cfg index a399ebbb3a..0d646ae92e 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_C.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_C.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = engineering diff --git a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_D.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_D.inst.cfg index 48735864f1..57f0aa1c7e 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_D.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_accurate_D.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = engineering diff --git a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_D.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_D.inst.cfg index 7c713d9d97..c02f791ec4 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_D.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_D.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_E.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_E.inst.cfg index 9274072c50..850da180ba 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_E.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_DBE0.40_PLA_quick_E.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D030 intent_category = quick diff --git a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_B.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_B.inst.cfg index 10dd614c10..0f7c9d5f8b 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_B.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_B.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D010 intent_category = engineering diff --git a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_C.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_C.inst.cfg index a0c2bc3b2a..c82f7a9550 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_C.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_C.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D015 intent_category = engineering diff --git a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_D.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_D.inst.cfg index 9bd67746ad..192102e5ab 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_D.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_accurate_D.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = engineering diff --git a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_D.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_D.inst.cfg index 72ba3b1b7c..12e29f6524 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_D.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_D.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D020 intent_category = quick diff --git a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_E.inst.cfg b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_E.inst.cfg index 257b2fca78..e555e01939 100644 --- a/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_E.inst.cfg +++ b/resources/intent/deltacomb/PLA/deltacomb_FBE0.40_PLA_quick_E.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = D030 intent_category = quick diff --git a/resources/intent/liquid/liquid_vo0.4_ABS_Draft_Print_Quick.inst.cfg b/resources/intent/liquid/liquid_vo0.4_ABS_Draft_Print_Quick.inst.cfg index ba7d63ffd9..48e5aedae9 100644 --- a/resources/intent/liquid/liquid_vo0.4_ABS_Draft_Print_Quick.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_ABS_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Print_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Print_Accurate.inst.cfg index b269452dc4..7a6c5ac9f8 100644 --- a/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Visual.inst.cfg index 1ddbfb2b0d..db5db4df48 100644 --- a/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_ABS_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_ABS_High_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_ABS_High_Visual.inst.cfg index ce9b555d07..52d5606437 100644 --- a/resources/intent/liquid/liquid_vo0.4_ABS_High_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_ABS_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Quality_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Quality_Accurate.inst.cfg index b4b415e8d9..7ef9bec777 100644 --- a/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Visual.inst.cfg index 36e52afea5..f9b270e31f 100644 --- a/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_ABS_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_CPE_Fast_Print_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_CPE_Fast_Print_Accurate.inst.cfg index 0821725607..baa358da99 100644 --- a/resources/intent/liquid/liquid_vo0.4_CPE_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_CPE_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/liquid/liquid_vo0.4_CPE_Normal_Quality_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_CPE_Normal_Quality_Accurate.inst.cfg index d9376d8c76..a3009b8aea 100644 --- a/resources/intent/liquid/liquid_vo0.4_CPE_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_CPE_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/liquid/liquid_vo0.4_Nylon_Fast_Print_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_Nylon_Fast_Print_Accurate.inst.cfg index 2d459effd1..3d3997830a 100644 --- a/resources/intent/liquid/liquid_vo0.4_Nylon_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_Nylon_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/liquid/liquid_vo0.4_Nylon_Normal_Quality_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_Nylon_Normal_Quality_Accurate.inst.cfg index 7124e55c3e..78ef709517 100644 --- a/resources/intent/liquid/liquid_vo0.4_Nylon_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_Nylon_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/liquid/liquid_vo0.4_PC_Fast_Print_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PC_Fast_Print_Accurate.inst.cfg index a2449a1081..cae917e503 100644 --- a/resources/intent/liquid/liquid_vo0.4_PC_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PC_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/liquid/liquid_vo0.4_PC_Normal_Quality_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PC_Normal_Quality_Accurate.inst.cfg index 7f16a99643..9cf389925d 100644 --- a/resources/intent/liquid/liquid_vo0.4_PC_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PC_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/liquid/liquid_vo0.4_PETG_Draft_Print_Quick.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PETG_Draft_Print_Quick.inst.cfg index 8cd51751c4..1e86769f51 100644 --- a/resources/intent/liquid/liquid_vo0.4_PETG_Draft_Print_Quick.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PETG_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Print_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Print_Accurate.inst.cfg index 2124246879..b28309dc10 100644 --- a/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Visual.inst.cfg index 8b3f166484..59c4d3f6b6 100644 --- a/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PETG_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_PETG_High_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PETG_High_Visual.inst.cfg index 974cd3621e..12a35ba101 100644 --- a/resources/intent/liquid/liquid_vo0.4_PETG_High_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PETG_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Quality_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Quality_Accurate.inst.cfg index ec3dde74a6..4da3d324b8 100644 --- a/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Visual.inst.cfg index 436673ab4c..bd8b74e21e 100644 --- a/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PETG_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_PLA_Draft_Print_Quick.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PLA_Draft_Print_Quick.inst.cfg index 85078b32b7..b0bd758b0f 100644 --- a/resources/intent/liquid/liquid_vo0.4_PLA_Draft_Print_Quick.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PLA_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Print_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Print_Accurate.inst.cfg index 9a618dea70..c369eda83a 100644 --- a/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Visual.inst.cfg index 70c18ef453..15afeb0493 100644 --- a/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PLA_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_PLA_High_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PLA_High_Visual.inst.cfg index 5707941d7c..d6d7e8a665 100644 --- a/resources/intent/liquid/liquid_vo0.4_PLA_High_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PLA_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Quality_Accurate.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Quality_Accurate.inst.cfg index 78b349c8b5..62eb98c6b9 100644 --- a/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Visual.inst.cfg b/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Visual.inst.cfg index 2f2b88f865..8b696d1754 100644 --- a/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Visual.inst.cfg +++ b/resources/intent/liquid/liquid_vo0.4_PLA_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print_Quick.inst.cfg index 4f933f602d..5028a193e1 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print_Quick.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print_Accurate.inst.cfg index 69844ef22e..39d3455341 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Visual.inst.cfg index 9befaa4f5d..03b3974996 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_High_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_High_Visual.inst.cfg index ff37ecf35b..7d2fe3435c 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_High_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg index df6998b965..0d2b0df40b 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Visual.inst.cfg index b96298ca34..12c05d6a9a 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg index 7fccc622eb..36bd136f11 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg index 5008397853..92b83b0daa 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print_Accurate.inst.cfg index 1b922d9d1e..0dd1d9e6cb 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg index 9e0e25aeac..adf9744b20 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg index 576f1aaee6..3b56baa68b 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg index ae426f06de..8a453f1423 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print_Accurate.inst.cfg index efc78705c6..be3b0e768f 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality_Accurate.inst.cfg index 0890ca5201..2088491e1e 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print_Accurate.inst.cfg index 19de2fab02..9396ad1ab1 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg index 6e27144e3d..a8f85b6da3 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print_Quick.inst.cfg index 9a45659ae3..5d869888c5 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print_Quick.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print_Accurate.inst.cfg index 1caa472fbb..406b45f226 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Visual.inst.cfg index a067bae8ff..7b455965b6 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_High_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_High_Visual.inst.cfg index 927e805258..20eef0666e 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_High_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg index 23ee1cfe08..3edfa90da5 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Visual.inst.cfg index a8d46ef9d8..7826c9b0b2 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_VeryDraft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_VeryDraft_Print_Quick.inst.cfg new file mode 100644 index 0000000000..83ebefc18c --- /dev/null +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_PLA_VeryDraft_Print_Quick.inst.cfg @@ -0,0 +1,42 @@ +[general] +version = 4 +name = Quick +definition = ultimaker_s3 + +[metadata] +setting_version = 19 +type = intent +intent_category = quick +quality_type = verydraft +material = generic_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 10 + +jerk_print = 30 +jerk_infill = =jerk_print +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +jerk_layer_0 = 5 + +acceleration_print = 4000 +acceleration_wall = 2000 +acceleration_wall_0 = 2000 + +speed_print = 50 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +speed_layer_0 = 20 + +line_width = =machine_nozzle_size +wall_line_width_x = =line_width +infill_line_width = =line_width +wall_thickness = =line_width * 2 +top_bottom_thickness = =wall_thickness \ No newline at end of file diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print_Quick.inst.cfg index ccb7205702..3dbb03b38c 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print_Quick.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg index 4dd1bb476a..513e8b63d9 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Visual.inst.cfg index dc3bc2395e..c80e665041 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_High_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_High_Visual.inst.cfg index 7ab56640c6..5a0fdccf3c 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_High_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg index a4705cda86..3d80753d3f 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Visual.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Visual.inst.cfg index bdc5cca1b4..610fa16fcc 100644 --- a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Visual.inst.cfg +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_VeryDraft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_VeryDraft_Print_Quick.inst.cfg new file mode 100644 index 0000000000..7f160079d2 --- /dev/null +++ b/resources/intent/ultimaker_s3/um_s3_aa0.4_TPLA_VeryDraft_Print_Quick.inst.cfg @@ -0,0 +1,42 @@ +[general] +version = 4 +name = Quick +definition = ultimaker_s3 + +[metadata] +setting_version = 19 +type = intent +intent_category = quick +quality_type = verydraft +material = generic_tough_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 10 + +jerk_print = 30 +jerk_infill = =jerk_print +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +jerk_layer_0 = 5 + +acceleration_print = 4000 +acceleration_wall = 2000 +acceleration_wall_0 = 2000 + +speed_print = 50 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +speed_layer_0 = 20 + +line_width = =machine_nozzle_size +wall_line_width_x = =line_width +infill_line_width = =line_width +wall_thickness = =line_width * 2 +top_bottom_thickness = =wall_thickness \ No newline at end of file diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print_Quick.inst.cfg index bccbe0263f..374cb1bca4 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print_Quick.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print_Accurate.inst.cfg index 5d1e60edc9..ab2e9bc6f6 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Visual.inst.cfg index faf9c34063..45cba2271e 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_High_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_High_Visual.inst.cfg index f02581e880..3658a72539 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_High_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg index 6a53928921..a58642f073 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Visual.inst.cfg index 79ca8565cb..9633a2d6e8 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg index 52e0ce2516..916b80c811 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg index ba7fbea46f..a3d99c2ed0 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print_Accurate.inst.cfg index 390ff01efb..d9929fc35c 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg index 0bb83af365..45df698f7e 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg index d103242031..fcd58dd33e 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg index 7316db9bf7..cadc30da58 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print_Accurate.inst.cfg index e1e5efcaa4..d23ff28b91 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality_Accurate.inst.cfg index 47f1115d44..950f420016 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print_Accurate.inst.cfg index 0f350d9c64..fba5e369ee 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg index 7205f48955..29d052675d 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print_Quick.inst.cfg index 97d04841b7..25dcb1a793 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print_Quick.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print_Accurate.inst.cfg index dcdf0c8b57..cc76a5706a 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Visual.inst.cfg index 788233f61c..ff6adc5257 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_High_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_High_Visual.inst.cfg index 1713f76b13..09c67fb20e 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_High_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg index 45b607f36f..28353777bf 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Visual.inst.cfg index f0425a8c2d..8934e3fd80 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_VeryDraft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_VeryDraft_Print_Quick.inst.cfg new file mode 100644 index 0000000000..f082f0c698 --- /dev/null +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_PLA_VeryDraft_Print_Quick.inst.cfg @@ -0,0 +1,42 @@ +[general] +version = 4 +name = Quick +definition = ultimaker_s5 + +[metadata] +setting_version = 19 +type = intent +intent_category = quick +quality_type = verydraft +material = generic_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 10 + +jerk_print = 30 +jerk_infill = =jerk_print +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +jerk_layer_0 = 5 + +acceleration_print = 4000 +acceleration_wall = 2000 +acceleration_wall_0 = 2000 + +speed_print = 50 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +speed_layer_0 = 20 + +line_width = =machine_nozzle_size +wall_line_width_x = =line_width +infill_line_width = =line_width +wall_thickness = =line_width * 2 +top_bottom_thickness = =wall_thickness \ No newline at end of file diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print_Quick.inst.cfg index b91b191462..a811b9d673 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print_Quick.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print_Quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = draft diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg index 6a6d1b7ca8..5db4117aa1 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = fast diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Visual.inst.cfg index 8a8d05c0ef..39292b0306 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = fast intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_High_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_High_Visual.inst.cfg index 5dd45d66ae..53eb8d16fd 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_High_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_High_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = high intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg index 0dca019ddc..22485e8777 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality_Accurate.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = normal diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Visual.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Visual.inst.cfg index 919a5973aa..155f6177cc 100644 --- a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Visual.inst.cfg +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Visual.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = normal intent_category = visual diff --git a/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_VeryDraft_Print_Quick.inst.cfg b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_VeryDraft_Print_Quick.inst.cfg new file mode 100644 index 0000000000..cc5104fb5a --- /dev/null +++ b/resources/intent/ultimaker_s5/um_s5_aa0.4_TPLA_VeryDraft_Print_Quick.inst.cfg @@ -0,0 +1,42 @@ +[general] +version = 4 +name = Quick +definition = ultimaker_s5 + +[metadata] +setting_version = 19 +type = intent +intent_category = quick +quality_type = verydraft +material = generic_tough_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 10 + +jerk_print = 30 +jerk_infill = =jerk_print +jerk_topbottom = =jerk_print +jerk_wall = =jerk_print +jerk_wall_0 = =jerk_wall +jerk_wall_x = =jerk_wall +jerk_layer_0 = 5 + +acceleration_print = 4000 +acceleration_wall = 2000 +acceleration_wall_0 = 2000 + +speed_print = 50 +speed_infill = =speed_print +speed_topbottom = =speed_print +speed_wall = =speed_print +speed_wall_0 = =speed_wall +speed_wall_x = =speed_wall +speed_layer_0 = 20 + +line_width = =machine_nozzle_size +wall_line_width_x = =line_width +infill_line_width = =line_width +wall_thickness = =line_width * 2 +top_bottom_thickness = =wall_thickness \ No newline at end of file diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg index 75fc0ff48c..38ce417176 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q010 intent_category = visual diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg index 61003eb653..a6ddaab7bf 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = q015 diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg index 4e92110cae..1415ad78f4 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q015 intent_category = visual diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg index f511e4e329..937a649ca1 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = q020 diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_quick.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_quick.inst.cfg index cd8990e5fa..f0f77dcbc5 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_quick.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q020 diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg index 2ae1c851fb..6591ed6939 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q020 intent_category = visual diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.25_quick.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.25_quick.inst.cfg index 903033b33b..067ca4a616 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.25_quick.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.25_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q025 diff --git a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.30_quick.inst.cfg b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.30_quick.inst.cfg index 920c2910b6..feea81a27b 100644 --- a/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.30_quick.inst.cfg +++ b/resources/intent/uni_base/abs/abs_nozzle_0.40_layer_0.30_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q030 diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg index 7b6440cbb5..f5c1b57cc6 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q010 intent_category = visual diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg index ad10d21180..b0c482bcab 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = q015 diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg index 0e2b023886..3cad552ceb 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q015 intent_category = visual diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg index 6a07e685d7..8b85ff3bbb 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = q020 diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_quick.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_quick.inst.cfg index 6256658bd9..c6e4233fc1 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_quick.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q020 diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg index 2aa7b6802f..68faeb2b47 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q020 intent_category = visual diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.25_quick.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.25_quick.inst.cfg index f9671b4bde..872faaeb95 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.25_quick.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.25_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q025 diff --git a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.30_quick.inst.cfg b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.30_quick.inst.cfg index 38e72c9d24..f834674085 100644 --- a/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.30_quick.inst.cfg +++ b/resources/intent/uni_base/petg/petg_nozzle_0.40_layer_0.30_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q030 diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg index d1b9c6b84a..4874cae04b 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q010 intent_category = visual diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg index 38169542f8..59602e5060 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = q015 diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg index 80d1089745..1123c86526 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q015 intent_category = visual diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg index c507e0c3c2..32204dd4e6 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = q020 diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_quick.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_quick.inst.cfg index 4e4b62dd16..569cf5080a 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_quick.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q020 diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg index 6e3816a8e4..db181225a4 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = q020 intent_category = visual diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.25_quick.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.25_quick.inst.cfg index af82cbbd01..76ae812b55 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.25_quick.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.25_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q025 diff --git a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.30_quick.inst.cfg b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.30_quick.inst.cfg index f339f33a4b..e1f2620c7b 100644 --- a/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.30_quick.inst.cfg +++ b/resources/intent/uni_base/pla/pla_nozzle_0.40_layer_0.30_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = q030 diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg index 0d87feb433..73c97ea028 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.10_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_010 intent_category = visual diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg index 84950f3c55..7643edbf95 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = ZAV_layer_015 diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg index 6db478b3c1..91fcaf144a 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.15_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_015 intent_category = visual diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg index ce93aa37c3..397cb0ca90 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = ZAV_layer_020 diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_quick.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_quick.inst.cfg index 7805ebd485..021b578afe 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_quick.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_020 diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg index 6d6578930e..6d22385d69 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.20_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_020 intent_category = visual diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.25_quick.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.25_quick.inst.cfg index f63e1da12e..ffc2882424 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.25_quick.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.25_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_025 diff --git a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.30_quick.inst.cfg b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.30_quick.inst.cfg index 28dd85263a..6aa5a3fc2a 100644 --- a/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.30_quick.inst.cfg +++ b/resources/intent/zav_base/abs/zav_abs_nozzle_0.40_layer_0.30_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_030 diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg index 55e8d7cb51..20070c8273 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.10_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_010 intent_category = visual diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg index c5633e5bec..037c723524 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = ZAV_layer_015 diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg index 8db9bd8a21..7332cdb016 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.15_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_015 intent_category = visual diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg index 2eb0d95fc9..2815efa87d 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = ZAV_layer_020 diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_quick.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_quick.inst.cfg index 9362054dcf..6ce7c404f0 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_quick.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_020 diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg index 09dc635e3c..45664c019e 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.20_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_020 intent_category = visual diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.25_quick.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.25_quick.inst.cfg index 6193d128be..6a041edc19 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.25_quick.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.25_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_025 diff --git a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.30_quick.inst.cfg b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.30_quick.inst.cfg index a8163a17a6..c099eebfa7 100644 --- a/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.30_quick.inst.cfg +++ b/resources/intent/zav_base/petg/zav_petg_nozzle_0.40_layer_0.30_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_030 diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg index 246b23dfbb..ad9cc5aa5c 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.10_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_010 intent_category = visual diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg index b97dc74760..46ad782c9b 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = ZAV_layer_015 diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg index 63607be4b0..674a14346d 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.15_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_015 intent_category = visual diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg index 01d52f7b19..803f50c498 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_eng.inst.inst.cfg @@ -4,7 +4,7 @@ name = Accurate definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = engineering quality_type = ZAV_layer_020 diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_quick.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_quick.inst.cfg index 951e667842..78c9ad9a7f 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_quick.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_020 diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg index 60658b2a3d..a88cc20a60 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.20_visual.inst.inst.cfg @@ -4,7 +4,7 @@ name = Visual definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent quality_type = ZAV_layer_020 intent_category = visual diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.25_quick.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.25_quick.inst.cfg index e960c337d3..9f369106b1 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.25_quick.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.25_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_025 diff --git a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.30_quick.inst.cfg b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.30_quick.inst.cfg index e4d134ab9f..43e0ab9a96 100644 --- a/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.30_quick.inst.cfg +++ b/resources/intent/zav_base/pla/zav_pla_nozzle_0.40_layer_0.30_quick.inst.cfg @@ -4,7 +4,7 @@ name = Quick definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = intent intent_category = quick quality_type = ZAV_layer_030 diff --git a/resources/meshes/SH65_platform.STL b/resources/meshes/SH65_platform.STL new file mode 100644 index 0000000000..5cddf2d187 Binary files /dev/null and b/resources/meshes/SH65_platform.STL differ diff --git a/resources/meshes/hellbot_magna_SE.obj b/resources/meshes/hellbot_magna_SE.obj new file mode 100644 index 0000000000..e877b555d9 --- /dev/null +++ b/resources/meshes/hellbot_magna_SE.obj @@ -0,0 +1,770 @@ +o Object.1 +v -55.084007 114.999969 0.966387 +v -55.084007 114.999969 0.414166 +v -110.122032 114.999969 0.966387 +v 0.046021 114.999969 0.966387 +v 0.046021 114.999969 -0.046018 +v -110.122032 114.999969 -0.966387 +v 55.084045 114.999969 0.966387 +v 55.084045 114.999969 0.414166 +v 55.084045 114.999969 -0.966387 +v 55.084045 114.999969 -0.506202 +v 110.122047 114.999969 -0.966387 +v -55.084007 114.999969 -0.966387 +v -55.084007 114.999969 -0.506202 +v 0.046021 114.999969 -0.966387 +v 110.122047 114.999969 0.966387 +v 110.674294 114.999969 0.966387 +v 110.674294 114.999969 -0.966387 +v 111.134460 114.907990 0.966387 +v 111.134460 114.907990 -0.966387 +v 111.686676 114.815979 0.966387 +v 111.686676 114.815979 -0.966387 +v 112.146866 114.631836 0.966387 +v 112.146866 114.631836 -0.966387 +v 112.607048 114.355743 0.966387 +v 112.607048 114.355743 -0.966387 +v 113.067238 114.079620 0.966387 +v 113.067238 114.079620 -0.966387 +v 113.435387 113.803528 0.966387 +v 113.435387 113.803528 -0.966387 +v 113.803520 113.435394 -0.966387 +v 113.803520 113.435394 0.966387 +v 114.079643 113.067200 -0.966387 +v 114.079643 113.067200 0.966387 +v 114.355743 112.607025 -0.966387 +v 114.355743 112.607025 0.966387 +v 114.631866 112.146820 -0.966387 +v 114.631866 112.146820 0.966387 +v 114.815948 111.686676 -0.966387 +v 114.815948 111.686676 0.966387 +v 114.907982 111.134430 -0.966387 +v 114.907982 111.134430 0.966387 +v 115.000000 110.674286 -0.966387 +v 115.000000 110.674286 0.966387 +v 115.000000 110.122040 -0.966387 +v 115.000000 110.122040 0.966387 +v 115.000000 55.084015 0.414166 +v 115.000000 55.084015 0.966387 +v 115.000000 55.084015 -0.506202 +v 115.000000 0.046021 -0.966387 +v 115.000000 55.084015 -0.966387 +v 115.000000 -55.084030 0.966387 +v 115.000000 -110.122032 0.966387 +v 115.000000 -55.084030 0.414166 +v 115.000000 0.046021 0.966387 +v 115.000000 -55.084030 -0.506202 +v 115.000000 -110.122032 -0.966387 +v 115.000000 -55.084030 -0.966387 +v 115.000000 0.046021 -0.046018 +v 110.674294 -114.999992 0.966387 +v 110.122047 -114.999992 0.966387 +v 110.674294 -114.999992 -0.966387 +v 110.122047 -114.999992 -0.966387 +v 111.134460 -114.907959 0.966387 +v 111.134460 -114.907959 -0.966387 +v 111.686676 -114.815918 0.966387 +v 111.686676 -114.815918 -0.966387 +v 112.146866 -114.631844 0.966387 +v 112.146866 -114.631844 -0.966387 +v 112.607048 -114.355736 0.966387 +v 112.607048 -114.355736 -0.966387 +v 113.067238 -114.079620 0.966387 +v 113.067238 -114.079620 -0.966387 +v 113.435387 -113.803513 0.966387 +v 113.435387 -113.803513 -0.966387 +v 113.803520 -113.435364 0.966387 +v 113.803520 -113.435364 -0.966387 +v 114.079643 -113.067223 0.966387 +v 114.079643 -113.067223 -0.966387 +v 114.355743 -112.607033 0.966387 +v 114.355743 -112.607033 -0.966387 +v 114.631866 -112.146843 0.966387 +v 114.631866 -112.146843 -0.966387 +v 114.815948 -111.686668 0.966387 +v 114.815948 -111.686668 -0.966387 +v 114.907982 -111.134445 0.966387 +v 114.907982 -111.134445 -0.966387 +v 115.000000 -110.674271 0.966387 +v 115.000000 -110.674271 -0.966387 +v 0.046021 -114.999992 -0.966387 +v 55.084045 -114.999992 -0.966387 +v 55.084045 -114.999992 -0.506202 +v 55.084045 -114.999992 0.966387 +v 55.084045 -114.999992 0.414166 +v 0.046021 -114.999992 0.966387 +v -55.084007 -114.999992 0.966387 +v -110.122032 -114.999992 0.966387 +v -55.084007 -114.999992 0.414166 +v 0.046021 -114.999992 -0.046018 +v -110.122032 -114.999992 -0.966387 +v -55.084007 -114.999992 -0.966387 +v -55.084007 -114.999992 -0.506202 +v -58.765495 111.410553 0.966387 +v -2.438972 112.607025 0.966387 +v -56.280479 113.803528 0.966387 +v 110.122047 0.046021 0.966387 +v 112.607048 2.438995 0.966387 +v 110.122047 57.476990 0.966387 +v 113.803520 56.280518 0.966387 +v 111.410561 58.765503 0.966387 +v -114.999992 110.122040 0.966387 +v -112.607033 114.355743 0.966387 +v -114.999992 110.674286 0.966387 +v -58.765495 -111.410553 0.966387 +v -2.438972 -112.607033 0.966387 +v -58.765495 -53.887558 0.966387 +v 110.122047 -57.569016 0.966387 +v 112.607048 -55.084030 0.966387 +v -56.280479 -113.803513 0.966387 +v -114.999992 -110.122032 0.966387 +v -2.438972 2.438995 0.966387 +v 53.887554 58.765503 0.966387 +v -2.438972 57.476990 0.966387 +v 113.803520 -53.887558 0.966387 +v 53.887554 113.803528 0.966387 +v 53.887554 -113.803513 0.966387 +v -58.765495 56.280518 0.966387 +v 53.887554 -56.280518 0.966387 +v 53.887554 1.242477 0.966387 +v -114.999992 -55.084030 0.966387 +v -114.999992 0.046021 0.966387 +v -58.765495 1.242477 0.966387 +v -114.999992 55.084015 0.966387 +v -2.438972 -55.084030 0.966387 +v -110.674248 -114.999992 0.966387 +v -114.631844 112.146820 0.966387 +v -114.907951 111.134430 0.966387 +v -110.674248 114.999969 0.966387 +v -112.146843 114.631836 0.966387 +v -111.686684 -114.815918 0.966387 +v -114.999992 -110.674271 0.966387 +v -111.686684 114.815979 0.966387 +v -114.355736 -112.607033 0.966387 +v -112.146843 -114.631844 0.966387 +v -111.134438 -114.907959 0.966387 +v -111.134438 114.907990 0.966387 +v -113.067223 114.079620 0.966387 +v -113.435326 113.803528 0.966387 +v -114.355736 112.607025 0.966387 +v -114.631844 -112.146843 0.966387 +v -114.079628 113.067200 0.966387 +v -113.803520 113.435394 0.966387 +v -114.907951 -111.134445 0.966387 +v -114.815910 -111.686668 0.966387 +v -112.607033 -114.355736 0.966387 +v -113.067223 -114.079620 0.966387 +v -113.803520 -113.435364 0.966387 +v -113.435326 -113.803513 0.966387 +v -114.079628 -113.067223 0.966387 +v -114.815910 111.686676 0.966387 +v -111.410545 58.765503 -0.966387 +v -112.607033 2.438995 -0.966387 +v -113.803520 56.280518 -0.966387 +v 56.280518 -113.803513 -0.966387 +v 2.438988 -112.607033 -0.966387 +v 58.765518 -111.410553 -0.966387 +v -114.999992 110.122040 -0.966387 +v -114.999992 55.084015 -0.966387 +v 113.803520 56.280518 -0.966387 +v 112.607048 2.438995 -0.966387 +v 111.410561 58.765503 -0.966387 +v -55.084007 57.476990 -0.966387 +v -55.084007 0.046021 -0.966387 +v -55.084007 -57.569016 -0.966387 +v -110.122032 0.046021 -0.966387 +v 0.046021 0.046021 -0.966387 +v 55.084045 57.476990 -0.966387 +v 57.476994 -55.084030 -0.966387 +v 113.803520 -53.887558 -0.966387 +v 1.242508 -56.280518 -0.966387 +v -113.803520 -53.887558 -0.966387 +v 0.046021 57.476990 -0.966387 +v -110.122032 -57.569016 -0.966387 +v 56.280518 1.242477 -0.966387 +v -53.887550 -113.803513 -0.966387 +v -114.999992 -110.122032 -0.966387 +v -114.999992 -55.084030 -0.966387 +v -110.122032 57.476990 -0.966387 +v -114.999992 0.046021 -0.966387 +v -112.607033 -55.084030 -0.966387 +v -110.674248 114.999969 -0.966387 +v -111.686684 -114.815918 -0.966387 +v -114.999992 -110.674271 -0.966387 +v -111.134438 -114.907959 -0.966387 +v -110.674248 -114.999992 -0.966387 +v -114.907951 -111.134445 -0.966387 +v -114.999992 110.674286 -0.966387 +v -113.067223 114.079620 -0.966387 +v -112.607033 114.355743 -0.966387 +v -112.146843 114.631836 -0.966387 +v -113.067223 -114.079620 -0.966387 +v -114.079628 -113.067223 -0.966387 +v -114.355736 -112.607033 -0.966387 +v -112.607033 -114.355736 -0.966387 +v -112.146843 -114.631844 -0.966387 +v -114.631844 -112.146843 -0.966387 +v -113.803520 113.435394 -0.966387 +v -113.435326 113.803528 -0.966387 +v -111.686684 114.815979 -0.966387 +v -111.134438 114.907990 -0.966387 +v -114.815910 -111.686668 -0.966387 +v -113.803520 -113.435364 -0.966387 +v -113.435326 -113.803513 -0.966387 +v -114.631844 112.146820 -0.966387 +v -114.355736 112.607025 -0.966387 +v -114.079628 113.067200 -0.966387 +v -114.907951 111.134430 -0.966387 +v -114.815910 111.686676 -0.966387 +v -114.999992 0.046021 -0.046018 +v -114.999992 55.084015 -0.506202 +v -114.999992 55.084015 0.414166 +v -114.999992 -55.084030 -0.506202 +v -114.999992 -55.084030 0.414166 + +usemtl Default_0 +f 1 2 3 +f 15 8 7 +f 15 11 8 +f 8 11 10 +f 8 10 5 +f 5 4 8 +f 4 5 2 +f 13 2 5 +f 5 14 13 +f 12 13 14 +f 171 12 14 +f 14 181 171 +f 181 175 171 +f 172 171 175 +f 173 172 175 +f 173 175 179 +f 173 179 164 +f 164 184 173 +f 99 173 184 +f 184 100 99 +f 99 100 101 +f 99 101 97 +f 99 97 96 +f 96 134 99 +f 194 99 134 +f 134 144 194 +f 193 194 144 +f 144 139 193 +f 191 193 139 +f 139 143 191 +f 204 191 143 +f 143 154 204 +f 203 204 154 +f 154 155 203 +f 200 203 155 +f 155 157 200 +f 212 200 157 +f 157 156 212 +f 211 212 156 +f 211 156 158 +f 158 201 211 +f 200 211 201 +f 200 201 202 +f 142 202 201 +f 202 142 149 +f 149 205 202 +f 191 202 205 +f 191 205 210 +f 191 210 195 +f 191 195 192 +f 191 192 185 +f 119 185 192 +f 192 140 119 +f 210 153 152 +f 195 152 140 +f 185 119 221 +f 221 186 185 +f 185 186 180 +f 185 180 189 +f 185 189 182 +f 182 99 185 +f 174 182 189 +f 182 174 173 +f 174 189 180 +f 180 161 174 +f 187 174 161 +f 161 160 187 +f 6 187 160 +f 6 160 166 +f 166 190 6 +f 190 3 6 +f 3 190 137 +f 166 110 112 +f 112 196 166 +f 166 196 198 +f 166 198 199 +f 166 199 208 +f 166 208 209 +f 208 145 209 +f 199 141 208 +f 198 138 199 +f 196 197 198 +f 197 111 198 +f 111 197 146 +f 207 146 197 +f 146 207 147 +f 216 136 159 +f 159 217 216 +f 216 217 213 +f 196 216 213 +f 196 213 214 +f 196 214 215 +f 196 215 206 +f 196 206 207 +f 151 206 215 +f 150 215 214 +f 148 214 213 +f 135 213 217 +f 136 216 196 +f 217 159 135 +f 213 135 148 +f 214 148 150 +f 215 150 151 +f 147 206 151 +f 206 147 207 +f 196 207 197 +f 196 112 136 +f 110 166 219 +f 219 220 110 +f 220 132 110 +f 46 45 47 +f 47 54 46 +f 58 46 54 +f 54 53 58 +f 55 58 53 +f 53 56 55 +f 55 56 57 +f 57 49 55 +f 49 57 178 +f 49 178 169 +f 50 49 169 +f 169 168 50 +f 44 50 168 +f 44 168 170 +f 44 170 11 +f 11 17 44 +f 17 42 44 +f 44 42 45 +f 43 45 42 +f 42 40 43 +f 41 43 40 +f 40 38 41 +f 39 41 38 +f 38 36 39 +f 37 39 36 +f 36 34 37 +f 35 37 34 +f 34 32 35 +f 33 35 32 +f 32 30 33 +f 31 33 30 +f 30 29 31 +f 28 31 29 +f 27 28 29 +f 27 29 38 +f 25 27 38 +f 25 26 27 +f 26 25 24 +f 23 24 25 +f 23 25 42 +f 21 23 42 +f 19 21 42 +f 19 20 21 +f 22 21 20 +f 18 17 16 +f 17 18 19 +f 20 19 18 +f 21 22 23 +f 24 23 22 +f 28 27 26 +f 29 30 38 +f 30 32 38 +f 32 34 38 +f 34 36 38 +f 25 38 40 +f 25 40 42 +f 17 19 42 +f 11 16 17 +f 176 11 170 +f 176 170 169 +f 169 183 176 +f 175 176 183 +f 175 183 177 +f 169 177 183 +f 176 9 11 +f 9 176 14 +f 14 10 9 +f 50 44 48 +f 48 44 46 +f 168 169 170 +f 48 49 50 +f 49 48 58 +f 177 169 178 +f 177 178 56 +f 56 165 177 +f 164 177 165 +f 165 163 164 +f 163 90 164 +f 89 164 90 +f 89 90 91 +f 89 91 98 +f 98 101 89 +f 93 98 91 +f 60 93 91 +f 60 91 62 +f 62 61 60 +f 59 60 61 +f 61 64 59 +f 63 59 64 +f 64 66 63 +f 65 63 66 +f 66 68 65 +f 67 65 68 +f 68 70 67 +f 69 67 70 +f 70 72 69 +f 71 69 72 +f 72 74 71 +f 73 71 74 +f 74 76 73 +f 75 73 76 +f 76 78 75 +f 77 75 78 +f 78 80 77 +f 79 77 80 +f 80 82 79 +f 81 79 82 +f 82 84 81 +f 83 81 84 +f 84 86 83 +f 85 83 86 +f 86 88 85 +f 87 85 88 +f 88 56 87 +f 52 87 56 +f 92 94 93 +f 222 129 130 +f 130 218 222 +f 221 222 218 +f 218 188 221 +f 188 218 219 +f 219 167 188 +f 188 167 161 +f 167 162 161 +f 167 166 162 +f 218 130 220 +f 129 222 119 +f 94 95 97 +f 94 97 98 +f 51 52 53 +f 56 88 62 +f 88 86 62 +f 86 84 62 +f 84 82 62 +f 82 80 74 +f 80 78 74 +f 78 76 74 +f 82 74 72 +f 82 72 70 +f 82 70 68 +f 82 68 66 +f 82 66 64 +f 82 64 61 +f 82 61 62 +f 60 92 93 +f 98 93 94 +f 90 62 91 +f 90 163 62 +f 163 165 62 +f 56 62 165 +f 57 56 178 +f 56 53 52 +f 58 55 49 +f 53 54 51 +f 46 58 48 +f 45 46 44 +f 132 220 130 +f 220 219 218 +f 167 219 166 +f 138 198 111 +f 141 199 138 +f 145 208 141 +f 137 209 145 +f 209 137 190 +f 166 209 190 +f 160 162 166 +f 187 6 171 +f 160 161 162 +f 174 187 171 +f 161 180 188 +f 186 188 180 +f 186 221 188 +f 222 221 119 +f 140 192 195 +f 152 195 210 +f 153 210 205 +f 205 149 153 +f 201 158 142 +f 200 212 211 +f 203 200 202 +f 204 203 202 +f 191 204 202 +f 193 191 185 +f 194 193 185 +f 99 194 185 +f 95 96 97 +f 101 98 97 +f 100 89 101 +f 100 184 89 +f 99 182 173 +f 164 89 184 +f 177 164 179 +f 177 179 175 +f 172 173 174 +f 171 172 174 +f 175 181 176 +f 181 14 176 +f 12 171 6 +f 6 13 12 +f 6 2 13 +f 14 5 10 +f 9 10 11 +f 16 11 15 +f 7 8 4 +f 6 3 2 +f 4 2 1 + +vt 0.490063 0.010300 +vt 0.732512 0.252749 +vt 0.490063 0.257899 +vt 0.732512 0.005150 +vt 0.974564 -0.000000 +vt 0.974564 0.247203 +vt 0.995561 0.020996 +vt 0.995561 0.018619 +vt 0.995165 0.016639 +vt 0.994769 0.014262 +vt 0.993976 0.012281 +vt 0.976942 -0.000000 +vt 0.978922 0.000396 +vt 0.981299 0.000792 +vt 0.983280 0.001585 +vt 0.985261 0.002773 +vt 0.987242 0.003962 +vt 0.988826 0.005150 +vt 0.992788 0.010300 +vt 0.991599 0.008319 +vt 0.990411 0.006735 +vt 0.985261 0.257899 +vt 0.974564 0.495198 +vt 0.732512 0.500348 +vt 0.732512 0.747947 +vt 0.490063 0.505498 +vt 0.490063 0.742401 +vt 0.490063 0.979700 +vt 0.247614 0.737251 +vt 0.247614 0.974550 +vt 0.005561 0.969004 +vt 0.005561 0.732101 +vt 0.005561 0.495198 +vt 0.247614 0.500348 +vt 0.247614 0.263049 +vt 0.247614 0.015450 +vt 0.005561 0.020996 +vt 0.026557 -0.000000 +vt 0.258310 0.005150 +vt 0.263460 -0.000000 +vt 0.500759 -0.000000 +vt 0.737662 -0.000000 +vt 0.024180 -0.000000 +vt 0.022200 0.000396 +vt 0.019823 0.000792 +vt 0.005561 0.018619 +vt 0.005957 0.016639 +vt 0.006353 0.014262 +vt 0.007146 0.012281 +vt 0.008334 0.010300 +vt 0.017842 0.001585 +vt 0.015861 0.002773 +vt 0.013880 0.003962 +vt 0.009523 0.008319 +vt 0.010711 0.006735 +vt 0.012296 0.005150 +vt 0.005561 0.257899 +vt 0.026557 0.990000 +vt 0.024180 0.990000 +vt 0.022200 0.989604 +vt 0.019823 0.989208 +vt 0.017842 0.988415 +vt 0.015861 0.987227 +vt 0.005561 0.971381 +vt 0.013880 0.986038 +vt 0.012296 0.984850 +vt 0.010711 0.983266 +vt 0.009523 0.981681 +vt 0.008334 0.979700 +vt 0.007146 0.977719 +vt 0.005957 0.973361 +vt 0.006353 0.975738 +vt 0.258310 0.984850 +vt 0.263460 0.990000 +vt 0.500759 0.990000 +vt 0.732512 0.984850 +vt 0.974564 0.990000 +vt 0.737662 0.990000 +vt 0.974564 0.742401 +vt 0.985261 0.505498 +vt 0.990411 0.263049 +vt 0.995561 0.257899 +vt 0.995561 0.495198 +vt 0.995561 0.732101 +vt 0.990411 0.737251 +vt 0.995561 0.969004 +vt 0.980111 0.747947 +vt 0.976942 0.990000 +vt 0.978922 0.989604 +vt 0.981299 0.989208 +vt 0.983280 0.988415 +vt 0.985261 0.987227 +vt 0.995561 0.971381 +vt 0.995165 0.973361 +vt 0.994769 0.975738 +vt 0.987242 0.986038 +vt 0.993976 0.977719 +vt 0.992788 0.979700 +vt 0.991599 0.981681 +vt 0.990411 0.983266 +vt 0.988826 0.984850 + +usemtl Mat_0 +f 1/74 3/58 104/73 +f 104/73 103/28 1/74 +f 4/75 1/74 103/28 +f 103/28 124/76 4/75 +f 7/78 4/75 124/76 +f 124/76 15/77 7/78 +f 139/45 119/37 140/46 +f 139/45 140/46 152/47 +f 139/45 152/47 153/48 +f 139/45 153/48 149/49 +f 110/31 3/58 137/59 +f 110/31 137/59 145/60 +f 110/31 145/60 141/61 +f 110/31 141/61 138/62 +f 110/31 138/62 111/63 +f 110/31 111/63 112/64 +f 112/64 146/65 147/66 +f 112/64 147/66 151/67 +f 112/64 151/67 150/68 +f 112/64 150/68 148/69 +f 112/64 148/69 135/70 +f 112/64 135/70 136/71 +f 136/71 135/70 159/72 +f 132/32 126/29 110/31 +f 102/30 110/31 126/29 +f 126/29 103/28 102/30 +f 103/28 126/29 122/27 +f 122/27 121/25 103/28 +f 120/26 121/25 122/27 +f 121/25 120/26 128/24 +f 128/24 105/23 121/25 +f 107/79 121/25 105/23 +f 105/23 106/80 107/79 +f 107/79 106/80 109/87 +f 107/79 109/87 15/77 +f 45/86 15/77 109/87 +f 45/86 109/87 108/85 +f 45/86 108/85 47/84 +f 24/92 39/95 26/96 +f 20/90 45/86 22/91 +f 22/91 45/86 24/92 +f 18/89 45/86 20/90 +f 16/88 45/86 18/89 +f 26/96 31/100 28/101 +f 26/96 33/99 31/100 +f 26/96 35/98 33/99 +f 26/96 37/97 35/98 +f 26/96 39/95 37/97 +f 24/92 41/94 39/95 +f 24/92 43/93 41/94 +f 24/92 45/86 43/93 +f 52/7 60/5 87/8 +f 60/5 52/7 116/6 +f 116/6 127/2 60/5 +f 125/4 60/5 127/2 +f 127/2 114/1 125/4 +f 125/4 114/1 94/41 +f 94/41 92/42 125/4 +f 95/40 94/41 114/1 +f 114/1 118/39 95/40 +f 96/38 95/40 118/39 +f 96/38 118/39 113/36 +f 113/36 119/37 96/38 +f 115/35 119/37 113/36 +f 113/36 114/1 115/35 +f 133/3 115/35 114/1 +f 120/26 115/35 133/3 +f 133/3 127/2 120/26 +f 115/35 120/26 131/34 +f 131/34 130/33 115/35 +f 129/57 115/35 130/33 +f 126/29 130/33 131/34 +f 131/34 120/26 126/29 +f 119/37 115/35 129/57 +f 114/1 113/36 118/39 +f 114/1 127/2 133/3 +f 60/5 125/4 92/42 +f 105/23 127/2 116/6 +f 116/6 117/22 105/23 +f 123/81 105/23 117/22 +f 117/22 52/7 123/81 +f 51/82 123/81 52/7 +f 54/83 123/81 51/82 +f 54/83 106/80 123/81 +f 116/6 52/7 117/22 +f 87/8 60/5 85/9 +f 85/9 60/5 83/10 +f 83/10 60/5 81/11 +f 81/11 73/18 79/19 +f 79/19 73/18 77/20 +f 77/20 73/18 75/21 +f 81/11 71/17 73/18 +f 81/11 69/16 71/17 +f 81/11 67/15 69/16 +f 81/11 65/14 67/15 +f 81/11 63/13 65/14 +f 81/11 59/12 63/13 +f 81/11 60/5 59/12 +f 47/84 106/80 54/83 +f 106/80 47/84 108/85 +f 15/77 45/86 16/88 +f 108/85 109/87 106/80 +f 105/23 123/81 106/80 +f 15/77 121/25 107/79 +f 127/2 105/23 128/24 +f 128/24 120/26 127/2 +f 122/27 126/29 120/26 +f 130/33 126/29 132/32 +f 112/64 111/63 146/65 +f 110/31 102/30 3/58 +f 139/45 149/49 142/50 +f 155/53 142/50 158/54 +f 155/53 158/54 156/55 +f 155/53 156/55 157/56 +f 154/52 142/50 155/53 +f 143/51 142/50 154/52 +f 139/45 142/50 143/51 +f 144/44 119/37 139/45 +f 134/43 119/37 144/44 +f 96/38 119/37 134/43 +f 121/25 15/77 124/76 +f 124/76 103/28 121/25 +f 102/30 103/28 104/73 +f 104/73 3/58 102/30 + diff --git a/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml b/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml index b23a8c0811..37ff585a6b 100644 --- a/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml +++ b/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml @@ -6,7 +6,7 @@ import QtQuick.Controls 2.3 import QtQuick.Controls.Styles 1.4 import QtQuick.Layouts 1.3 -import UM 1.2 as UM +import UM 1.4 as UM import Cura 1.0 as Cura @@ -50,10 +50,16 @@ Cura.ExpandablePopup model: extrudersModel delegate: Item { + id: extruderItem + Layout.preferredWidth: Math.round(parent.width / extrudersModel.count) Layout.maximumWidth: Math.round(parent.width / extrudersModel.count) Layout.fillHeight: true + property var extruderStack: Cura.MachineManager.activeMachine.extruders[model.index] + property bool valueWarning: !Cura.ExtruderManager.getExtruderHasQualityForMaterial(extruderStack) + property bool valueError: Cura.ContainerManager.getContainerMetaDataEntry(extruderStack.material.id, "compatible", "") != "True" + // Extruder icon. Shows extruder index and has the same color as the active material. Cura.ExtruderIcon { @@ -63,6 +69,113 @@ Cura.ExpandablePopup anchors.verticalCenter: parent.verticalCenter } + MouseArea // Connection status tooltip hover area + { + id: tooltipHoverArea + anchors.fill: parent + hoverEnabled: tooltip.text != "" + acceptedButtons: Qt.NoButton // react to hover only, don't steal clicks + + onEntered: + { + base.mouseArea.entered() // we want both this and the outer area to be entered + tooltip.show() + } + onExited: { tooltip.hide() } + } + + Cura.ToolTip + { + id: tooltip + x: 0 + y: parent.height + UM.Theme.getSize("default_margin").height + width: UM.Theme.getSize("tooltip").width + targetPoint: Qt.point(Math.round(extruderIcon.width / 2), 0) + text: + { + if (!model.enabled) + { + return "" + } + if (extruderItem.valueError) + { + return catalog.i18nc("@tooltip", "The configuration of this extruder is not allowed, and prohibits slicing.") + } + if (extruderItem.valueWarning) + { + return catalog.i18nc("@tooltip", "There are no profiles matching the configuration of this extruder.") + } + return "" + } + } + + // Warning icon that indicates if no qualities are available for the variant/material combination for this extruder + UM.RecolorImage + { + id: badge + anchors + { + top: parent.top + topMargin: - Math.round(height * 1 / 6) + left: parent.left + leftMargin: extruderIcon.width - Math.round(width * 5 / 6) + } + + width: UM.Theme.getSize("icon_indicator").width + height: UM.Theme.getSize("icon_indicator").height + + visible: model.enabled && (extruderItem.valueError || extruderItem.valueWarning) + + source: + { + if (extruderItem.valueError) + { + return UM.Theme.getIcon("ErrorBadge", "low") + } + if (extruderItem.valueWarning) + { + return UM.Theme.getIcon("WarningBadge", "low") + } + return "" + } + + color: + { + if (extruderItem.valueError) + { + return UM.Theme.getColor("error") + } + if (extruderItem.valueWarning) + { + return UM.Theme.getColor("warning") + } + return "transparent" + } + + // Make a themable circle in the background so we can change it in other themes + Rectangle + { + id: iconBackground + anchors.centerIn: parent + width: parent.width - 1.5 //1.5 pixels smaller, (at least sqrt(2), regardless of screen pixel scale) so that the circle doesn't show up behind the icon due to anti-aliasing. + height: parent.height - 1.5 + radius: width / 2 + z: parent.z - 1 + color: + { + if (extruderItem.valueError) + { + return UM.Theme.getColor("error_badge_background") + } + if (extruderItem.valueWarning) + { + return UM.Theme.getColor("warning_badge_background") + } + return "transparent" + } + } + } + Column { opacity: model.enabled ? 1 : UM.Theme.getColor("extruder_disabled").a diff --git a/resources/qml/ObjectItemButton.qml b/resources/qml/ObjectItemButton.qml index 1637b8d0cd..23c11dd430 100644 --- a/resources/qml/ObjectItemButton.qml +++ b/resources/qml/ObjectItemButton.qml @@ -85,7 +85,7 @@ Button right: parent.right rightMargin: 0 } - width: childrenRect.width + width: contentItem.width height: parent.height padding: 0 leftPadding: UM.Theme.getSize("thin_margin").width diff --git a/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml b/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml index d0cf9fafd6..56873f3234 100644 --- a/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml +++ b/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml @@ -579,7 +579,7 @@ Window } Label { - text: catalog.i18nc("@text", "It seems like you don't have access to any printers connected to Digital Factory.") + text: catalog.i18nc("@text", "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware.") width: parent.width horizontalAlignment: Text.AlignHCenter wrapMode: Text.Wrap @@ -737,6 +737,7 @@ Window id: cloudPrinterList filterConnectionType: 3 //Only show cloud connections. filterOnlineOnly: true //Only show printers that are online. + filterCapabilities: ["import_material"] //Only show printers that can receive the material profiles. } Cura.GlobalStacksModel { diff --git a/resources/quality/Leapfrog_Bolt_Pro/Leapfrog_Bolt_Pro_global_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/Leapfrog_Bolt_Pro_global_standard.inst.cfg index fc762cb127..e8d0a16b4d 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/Leapfrog_Bolt_Pro_global_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/Leapfrog_Bolt_Pro_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_brass0.4_abs_natural_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_brass0.4_abs_natural_standard.inst.cfg index f82f7aa925..06279be937 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_brass0.4_abs_natural_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_brass0.4_abs_natural_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_nozzlex0.4_abs_natural_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_nozzlex0.4_abs_natural_standard.inst.cfg index 79806a8684..9aecb0a4ad 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_nozzlex0.4_abs_natural_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/abs/Leapfrog_Bolt_Pro_nozzlex0.4_abs_natural_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_brass0.4_epla_natural_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_brass0.4_epla_natural_standard.inst.cfg index 2de19bb92c..7b26429143 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_brass0.4_epla_natural_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_brass0.4_epla_natural_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_nozzlex0.4_epla_natural_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_nozzlex0.4_epla_natural_standard.inst.cfg index 1337306cc6..2dbeb02c97 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_nozzlex0.4_epla_natural_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/epla/Leapfrog_Bolt_Pro_nozzlex0.4_epla_natural_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_brass0.4_pva_natural_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_brass0.4_pva_natural_standard.inst.cfg index bc4cc0c7c2..ea6db5e006 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_brass0.4_pva_natural_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_brass0.4_pva_natural_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_nozzlex0.4_pva_natural_standard.inst.cfg b/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_nozzlex0.4_pva_natural_standard.inst.cfg index e0b670f44e..7f59ef60b1 100644 --- a/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_nozzlex0.4_pva_natural_standard.inst.cfg +++ b/resources/quality/Leapfrog_Bolt_Pro/pva/Leapfrog_Bolt_Pro_nozzlex0.4_pva_natural_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/abax_pri3/apri3_pla_fast.inst.cfg b/resources/quality/abax_pri3/apri3_pla_fast.inst.cfg index d8087e6221..c9bb487dcd 100644 --- a/resources/quality/abax_pri3/apri3_pla_fast.inst.cfg +++ b/resources/quality/abax_pri3/apri3_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = abax_pri3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/abax_pri3/apri3_pla_high.inst.cfg b/resources/quality/abax_pri3/apri3_pla_high.inst.cfg index 2053e6d29c..dce3b4beb6 100644 --- a/resources/quality/abax_pri3/apri3_pla_high.inst.cfg +++ b/resources/quality/abax_pri3/apri3_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = abax_pri3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/abax_pri3/apri3_pla_normal.inst.cfg b/resources/quality/abax_pri3/apri3_pla_normal.inst.cfg index a578d4bde4..7965d0ee06 100644 --- a/resources/quality/abax_pri3/apri3_pla_normal.inst.cfg +++ b/resources/quality/abax_pri3/apri3_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = abax_pri3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/abax_pri5/apri5_pla_fast.inst.cfg b/resources/quality/abax_pri5/apri5_pla_fast.inst.cfg index d52b0d1ca6..d452bee541 100644 --- a/resources/quality/abax_pri5/apri5_pla_fast.inst.cfg +++ b/resources/quality/abax_pri5/apri5_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = abax_pri5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/abax_pri5/apri5_pla_high.inst.cfg b/resources/quality/abax_pri5/apri5_pla_high.inst.cfg index 4931f6ac88..b31767bdc1 100644 --- a/resources/quality/abax_pri5/apri5_pla_high.inst.cfg +++ b/resources/quality/abax_pri5/apri5_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = abax_pri5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/abax_pri5/apri5_pla_normal.inst.cfg b/resources/quality/abax_pri5/apri5_pla_normal.inst.cfg index 98b23b76df..2d599862c1 100644 --- a/resources/quality/abax_pri5/apri5_pla_normal.inst.cfg +++ b/resources/quality/abax_pri5/apri5_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = abax_pri5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/abax_titan/atitan_pla_fast.inst.cfg b/resources/quality/abax_titan/atitan_pla_fast.inst.cfg index d6d81f5bbd..012a043ee8 100644 --- a/resources/quality/abax_titan/atitan_pla_fast.inst.cfg +++ b/resources/quality/abax_titan/atitan_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = abax_titan [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/abax_titan/atitan_pla_high.inst.cfg b/resources/quality/abax_titan/atitan_pla_high.inst.cfg index 1b2e52d11c..9ba08e09f5 100644 --- a/resources/quality/abax_titan/atitan_pla_high.inst.cfg +++ b/resources/quality/abax_titan/atitan_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = abax_titan [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/abax_titan/atitan_pla_normal.inst.cfg b/resources/quality/abax_titan/atitan_pla_normal.inst.cfg index 9d38ffc22d..cafdb03f74 100644 --- a/resources/quality/abax_titan/atitan_pla_normal.inst.cfg +++ b/resources/quality/abax_titan/atitan_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = abax_titan [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_4max/abs/anycubic_4max_abs_draft.inst.cfg b/resources/quality/anycubic_4max/abs/anycubic_4max_abs_draft.inst.cfg index 92335c5d95..b8a93de2e4 100644 --- a/resources/quality/anycubic_4max/abs/anycubic_4max_abs_draft.inst.cfg +++ b/resources/quality/anycubic_4max/abs/anycubic_4max_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_4max/abs/anycubic_4max_abs_high.inst.cfg b/resources/quality/anycubic_4max/abs/anycubic_4max_abs_high.inst.cfg index 22e822eac0..fc72e6d8b8 100644 --- a/resources/quality/anycubic_4max/abs/anycubic_4max_abs_high.inst.cfg +++ b/resources/quality/anycubic_4max/abs/anycubic_4max_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_4max/abs/anycubic_4max_abs_normal.inst.cfg b/resources/quality/anycubic_4max/abs/anycubic_4max_abs_normal.inst.cfg index 8e15987c98..165fce474c 100644 --- a/resources/quality/anycubic_4max/abs/anycubic_4max_abs_normal.inst.cfg +++ b/resources/quality/anycubic_4max/abs/anycubic_4max_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_4max/anycubic_4max_draft.inst.cfg b/resources/quality/anycubic_4max/anycubic_4max_draft.inst.cfg index 3c99eb68d9..015ee89256 100644 --- a/resources/quality/anycubic_4max/anycubic_4max_draft.inst.cfg +++ b/resources/quality/anycubic_4max/anycubic_4max_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_4max/anycubic_4max_high.inst.cfg b/resources/quality/anycubic_4max/anycubic_4max_high.inst.cfg index 51ac1bf745..68ca077063 100644 --- a/resources/quality/anycubic_4max/anycubic_4max_high.inst.cfg +++ b/resources/quality/anycubic_4max/anycubic_4max_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_4max/anycubic_4max_normal.inst.cfg b/resources/quality/anycubic_4max/anycubic_4max_normal.inst.cfg index e5bceffd08..e0c6826b13 100644 --- a/resources/quality/anycubic_4max/anycubic_4max_normal.inst.cfg +++ b/resources/quality/anycubic_4max/anycubic_4max_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_4max/hips/anycubic_4max_hips_draft.inst.cfg b/resources/quality/anycubic_4max/hips/anycubic_4max_hips_draft.inst.cfg index 54e1934548..e25cac4895 100644 --- a/resources/quality/anycubic_4max/hips/anycubic_4max_hips_draft.inst.cfg +++ b/resources/quality/anycubic_4max/hips/anycubic_4max_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_4max/hips/anycubic_4max_hips_high.inst.cfg b/resources/quality/anycubic_4max/hips/anycubic_4max_hips_high.inst.cfg index d458785525..df04c64d1d 100644 --- a/resources/quality/anycubic_4max/hips/anycubic_4max_hips_high.inst.cfg +++ b/resources/quality/anycubic_4max/hips/anycubic_4max_hips_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_4max/hips/anycubic_4max_hips_normal.inst.cfg b/resources/quality/anycubic_4max/hips/anycubic_4max_hips_normal.inst.cfg index 6942088580..18f48315a0 100644 --- a/resources/quality/anycubic_4max/hips/anycubic_4max_hips_normal.inst.cfg +++ b/resources/quality/anycubic_4max/hips/anycubic_4max_hips_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_4max/petg/anycubic_4max_petg_draft.inst.cfg b/resources/quality/anycubic_4max/petg/anycubic_4max_petg_draft.inst.cfg index fa39ed4877..acb54f24cf 100644 --- a/resources/quality/anycubic_4max/petg/anycubic_4max_petg_draft.inst.cfg +++ b/resources/quality/anycubic_4max/petg/anycubic_4max_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_4max/petg/anycubic_4max_petg_high.inst.cfg b/resources/quality/anycubic_4max/petg/anycubic_4max_petg_high.inst.cfg index b4fc92a815..4900daf0ea 100644 --- a/resources/quality/anycubic_4max/petg/anycubic_4max_petg_high.inst.cfg +++ b/resources/quality/anycubic_4max/petg/anycubic_4max_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_4max/petg/anycubic_4max_petg_normal.inst.cfg b/resources/quality/anycubic_4max/petg/anycubic_4max_petg_normal.inst.cfg index dad96adf23..c67cc574db 100644 --- a/resources/quality/anycubic_4max/petg/anycubic_4max_petg_normal.inst.cfg +++ b/resources/quality/anycubic_4max/petg/anycubic_4max_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_4max/pla/anycubic_4max_pla_draft.inst.cfg b/resources/quality/anycubic_4max/pla/anycubic_4max_pla_draft.inst.cfg index 83d2ab7e2e..16acc27d81 100644 --- a/resources/quality/anycubic_4max/pla/anycubic_4max_pla_draft.inst.cfg +++ b/resources/quality/anycubic_4max/pla/anycubic_4max_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_4max/pla/anycubic_4max_pla_high.inst.cfg b/resources/quality/anycubic_4max/pla/anycubic_4max_pla_high.inst.cfg index ff8b4b8172..d91d96eaa0 100644 --- a/resources/quality/anycubic_4max/pla/anycubic_4max_pla_high.inst.cfg +++ b/resources/quality/anycubic_4max/pla/anycubic_4max_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_4max/pla/anycubic_4max_pla_normal.inst.cfg b/resources/quality/anycubic_4max/pla/anycubic_4max_pla_normal.inst.cfg index 669e6bd942..8f0204a705 100644 --- a/resources/quality/anycubic_4max/pla/anycubic_4max_pla_normal.inst.cfg +++ b/resources/quality/anycubic_4max/pla/anycubic_4max_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_4max [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_chiron/anycubic_chiron_draft.inst.cfg b/resources/quality/anycubic_chiron/anycubic_chiron_draft.inst.cfg index 06789d3bba..eec69570b7 100644 --- a/resources/quality/anycubic_chiron/anycubic_chiron_draft.inst.cfg +++ b/resources/quality/anycubic_chiron/anycubic_chiron_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_chiron [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_chiron/anycubic_chiron_high.inst.cfg b/resources/quality/anycubic_chiron/anycubic_chiron_high.inst.cfg index f261215e62..541e504c38 100644 --- a/resources/quality/anycubic_chiron/anycubic_chiron_high.inst.cfg +++ b/resources/quality/anycubic_chiron/anycubic_chiron_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_chiron [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_chiron/anycubic_chiron_normal.inst.cfg b/resources/quality/anycubic_chiron/anycubic_chiron_normal.inst.cfg index f32c7a4463..28105be9bd 100644 --- a/resources/quality/anycubic_chiron/anycubic_chiron_normal.inst.cfg +++ b/resources/quality/anycubic_chiron/anycubic_chiron_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_chiron [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_i3_mega/anycubic_i3_mega_draft.inst.cfg b/resources/quality/anycubic_i3_mega/anycubic_i3_mega_draft.inst.cfg index 1863f20e4d..67a8ebfa7c 100644 --- a/resources/quality/anycubic_i3_mega/anycubic_i3_mega_draft.inst.cfg +++ b/resources/quality/anycubic_i3_mega/anycubic_i3_mega_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_i3_mega [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_i3_mega/anycubic_i3_mega_high.inst.cfg b/resources/quality/anycubic_i3_mega/anycubic_i3_mega_high.inst.cfg index e6bebd9029..70b4b29609 100644 --- a/resources/quality/anycubic_i3_mega/anycubic_i3_mega_high.inst.cfg +++ b/resources/quality/anycubic_i3_mega/anycubic_i3_mega_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_i3_mega [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_i3_mega/anycubic_i3_mega_normal.inst.cfg b/resources/quality/anycubic_i3_mega/anycubic_i3_mega_normal.inst.cfg index 046ea4054f..d5644ae4f0 100644 --- a/resources/quality/anycubic_i3_mega/anycubic_i3_mega_normal.inst.cfg +++ b/resources/quality/anycubic_i3_mega/anycubic_i3_mega_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_i3_mega [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_draft.inst.cfg b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_draft.inst.cfg index 3a6094cdbb..2a192f1b1a 100644 --- a/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_draft.inst.cfg +++ b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_i3_mega_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_high.inst.cfg b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_high.inst.cfg index 971bc86be4..2a741f3166 100644 --- a/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_high.inst.cfg +++ b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_i3_mega_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_normal.inst.cfg b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_normal.inst.cfg index 9ff8ba2189..83ef9efd37 100644 --- a/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_normal.inst.cfg +++ b/resources/quality/anycubic_i3_mega_s/anycubic_i3_mega_s_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_i3_mega_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_mega_zero/anycubic_mega_zero_draft.inst.cfg b/resources/quality/anycubic_mega_zero/anycubic_mega_zero_draft.inst.cfg index ff54791724..5a30ef004b 100644 --- a/resources/quality/anycubic_mega_zero/anycubic_mega_zero_draft.inst.cfg +++ b/resources/quality/anycubic_mega_zero/anycubic_mega_zero_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = anycubic_mega_zero [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_mega_zero/anycubic_mega_zero_high.inst.cfg b/resources/quality/anycubic_mega_zero/anycubic_mega_zero_high.inst.cfg index ad8bf87fda..8ce148d0e3 100644 --- a/resources/quality/anycubic_mega_zero/anycubic_mega_zero_high.inst.cfg +++ b/resources/quality/anycubic_mega_zero/anycubic_mega_zero_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = anycubic_mega_zero [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/anycubic_mega_zero/anycubic_mega_zero_normal.inst.cfg b/resources/quality/anycubic_mega_zero/anycubic_mega_zero_normal.inst.cfg index b9091bf878..c8807a2b33 100644 --- a/resources/quality/anycubic_mega_zero/anycubic_mega_zero_normal.inst.cfg +++ b/resources/quality/anycubic_mega_zero/anycubic_mega_zero_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = anycubic_mega_zero [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/anycubic_predator/predator_coarse.inst.cfg b/resources/quality/anycubic_predator/predator_coarse.inst.cfg index 8e45802d9a..0599287222 100644 --- a/resources/quality/anycubic_predator/predator_coarse.inst.cfg +++ b/resources/quality/anycubic_predator/predator_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = predator [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/anycubic_predator/predator_draft.inst.cfg b/resources/quality/anycubic_predator/predator_draft.inst.cfg index 269e81bf28..0030fd23ea 100644 --- a/resources/quality/anycubic_predator/predator_draft.inst.cfg +++ b/resources/quality/anycubic_predator/predator_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = predator [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/anycubic_predator/predator_extra_coarse.inst.cfg b/resources/quality/anycubic_predator/predator_extra_coarse.inst.cfg index 0f7646236b..662bb227cc 100644 --- a/resources/quality/anycubic_predator/predator_extra_coarse.inst.cfg +++ b/resources/quality/anycubic_predator/predator_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = predator [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Xcoarse weight = -4 diff --git a/resources/quality/anycubic_predator/predator_extra_fine.inst.cfg b/resources/quality/anycubic_predator/predator_extra_fine.inst.cfg index 0b5ac83372..8ab048c052 100644 --- a/resources/quality/anycubic_predator/predator_extra_fine.inst.cfg +++ b/resources/quality/anycubic_predator/predator_extra_fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = predator [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Xfine weight = 1 diff --git a/resources/quality/anycubic_predator/predator_fine.inst.cfg b/resources/quality/anycubic_predator/predator_fine.inst.cfg index 754a37a2dd..1ea382e7e5 100644 --- a/resources/quality/anycubic_predator/predator_fine.inst.cfg +++ b/resources/quality/anycubic_predator/predator_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = predator [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 1 diff --git a/resources/quality/anycubic_predator/predator_normal.inst.cfg b/resources/quality/anycubic_predator/predator_normal.inst.cfg index 32ae7d6494..4918f71164 100644 --- a/resources/quality/anycubic_predator/predator_normal.inst.cfg +++ b/resources/quality/anycubic_predator/predator_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = predator [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/artillery/ABS/artillery_0.2_ABS_super.inst.cfg b/resources/quality/artillery/ABS/artillery_0.2_ABS_super.inst.cfg index 06943c5f6e..b59548e2e4 100644 --- a/resources/quality/artillery/ABS/artillery_0.2_ABS_super.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.2_ABS_ultra.inst.cfg b/resources/quality/artillery/ABS/artillery_0.2_ABS_ultra.inst.cfg index 8d339630a1..4a59bab0cb 100644 --- a/resources/quality/artillery/ABS/artillery_0.2_ABS_ultra.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.2_ABS_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.3_ABS_adaptive.inst.cfg b/resources/quality/artillery/ABS/artillery_0.3_ABS_adaptive.inst.cfg index f169dbbfe0..e9e1b408be 100644 --- a/resources/quality/artillery/ABS/artillery_0.3_ABS_adaptive.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.3_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.3_ABS_low.inst.cfg b/resources/quality/artillery/ABS/artillery_0.3_ABS_low.inst.cfg index e23b66ba6d..35ecd61820 100644 --- a/resources/quality/artillery/ABS/artillery_0.3_ABS_low.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.3_ABS_standard.inst.cfg b/resources/quality/artillery/ABS/artillery_0.3_ABS_standard.inst.cfg index 2803ee1891..08d618311d 100644 --- a/resources/quality/artillery/ABS/artillery_0.3_ABS_standard.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.3_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.3_ABS_super.inst.cfg b/resources/quality/artillery/ABS/artillery_0.3_ABS_super.inst.cfg index 17545a1584..fcc1d186f8 100644 --- a/resources/quality/artillery/ABS/artillery_0.3_ABS_super.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.3_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.4_ABS_adaptive.inst.cfg b/resources/quality/artillery/ABS/artillery_0.4_ABS_adaptive.inst.cfg index b9e113dfe9..9c5940820e 100644 --- a/resources/quality/artillery/ABS/artillery_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.4_ABS_low.inst.cfg b/resources/quality/artillery/ABS/artillery_0.4_ABS_low.inst.cfg index dc90d16ee3..2c7d74ae23 100644 --- a/resources/quality/artillery/ABS/artillery_0.4_ABS_low.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.4_ABS_standard.inst.cfg b/resources/quality/artillery/ABS/artillery_0.4_ABS_standard.inst.cfg index f6f392b34b..8c5cab8f03 100644 --- a/resources/quality/artillery/ABS/artillery_0.4_ABS_standard.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.4_ABS_super.inst.cfg b/resources/quality/artillery/ABS/artillery_0.4_ABS_super.inst.cfg index 077a5a72f8..28afe8a1e9 100644 --- a/resources/quality/artillery/ABS/artillery_0.4_ABS_super.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.5_ABS_adaptive.inst.cfg b/resources/quality/artillery/ABS/artillery_0.5_ABS_adaptive.inst.cfg index 0a5f81d0f5..ec2cf8c3bc 100644 --- a/resources/quality/artillery/ABS/artillery_0.5_ABS_adaptive.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.5_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.5_ABS_low.inst.cfg b/resources/quality/artillery/ABS/artillery_0.5_ABS_low.inst.cfg index fe3e4b9012..2c7a246a04 100644 --- a/resources/quality/artillery/ABS/artillery_0.5_ABS_low.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.5_ABS_standard.inst.cfg b/resources/quality/artillery/ABS/artillery_0.5_ABS_standard.inst.cfg index d810368ad8..07a6090598 100644 --- a/resources/quality/artillery/ABS/artillery_0.5_ABS_standard.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.5_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.5_ABS_super.inst.cfg b/resources/quality/artillery/ABS/artillery_0.5_ABS_super.inst.cfg index f689a0d8b5..a5a7c29658 100644 --- a/resources/quality/artillery/ABS/artillery_0.5_ABS_super.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.5_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.6_ABS_standard.inst.cfg b/resources/quality/artillery/ABS/artillery_0.6_ABS_standard.inst.cfg index a8f8ba7b12..27bdca0ea3 100644 --- a/resources/quality/artillery/ABS/artillery_0.6_ABS_standard.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.6_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_0.8_ABS_draft.inst.cfg b/resources/quality/artillery/ABS/artillery_0.8_ABS_draft.inst.cfg index 19e32531a3..6b1da88224 100644 --- a/resources/quality/artillery/ABS/artillery_0.8_ABS_draft.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_0.8_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/artillery/ABS/artillery_1.0_ABS_draft.inst.cfg b/resources/quality/artillery/ABS/artillery_1.0_ABS_draft.inst.cfg index 55de7e8715..4641fc0737 100644 --- a/resources/quality/artillery/ABS/artillery_1.0_ABS_draft.inst.cfg +++ b/resources/quality/artillery/ABS/artillery_1.0_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/artillery/PETG/artillery_0.2_PETG_super.inst.cfg b/resources/quality/artillery/PETG/artillery_0.2_PETG_super.inst.cfg index 8356d0a3e5..3cebf15c87 100644 --- a/resources/quality/artillery/PETG/artillery_0.2_PETG_super.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.2_PETG_ultra.inst.cfg b/resources/quality/artillery/PETG/artillery_0.2_PETG_ultra.inst.cfg index 211d4e2e64..dbdd813c27 100644 --- a/resources/quality/artillery/PETG/artillery_0.2_PETG_ultra.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.2_PETG_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.3_PETG_adaptive.inst.cfg b/resources/quality/artillery/PETG/artillery_0.3_PETG_adaptive.inst.cfg index 7279e4e2b8..cf38123a30 100644 --- a/resources/quality/artillery/PETG/artillery_0.3_PETG_adaptive.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.3_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.3_PETG_low.inst.cfg b/resources/quality/artillery/PETG/artillery_0.3_PETG_low.inst.cfg index 4505150a91..dfddbb7fd5 100644 --- a/resources/quality/artillery/PETG/artillery_0.3_PETG_low.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.3_PETG_standard.inst.cfg b/resources/quality/artillery/PETG/artillery_0.3_PETG_standard.inst.cfg index e48b624725..238368fafa 100644 --- a/resources/quality/artillery/PETG/artillery_0.3_PETG_standard.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.3_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.3_PETG_super.inst.cfg b/resources/quality/artillery/PETG/artillery_0.3_PETG_super.inst.cfg index 34f5ec64aa..4951ddb9f5 100644 --- a/resources/quality/artillery/PETG/artillery_0.3_PETG_super.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.3_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.4_PETG_adaptive.inst.cfg b/resources/quality/artillery/PETG/artillery_0.4_PETG_adaptive.inst.cfg index bc0d1a3cc4..43525b7c4a 100644 --- a/resources/quality/artillery/PETG/artillery_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.4_PETG_low.inst.cfg b/resources/quality/artillery/PETG/artillery_0.4_PETG_low.inst.cfg index 9b823d46b2..37e2af4e90 100644 --- a/resources/quality/artillery/PETG/artillery_0.4_PETG_low.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.4_PETG_standard.inst.cfg b/resources/quality/artillery/PETG/artillery_0.4_PETG_standard.inst.cfg index 46dd16189e..66df300046 100644 --- a/resources/quality/artillery/PETG/artillery_0.4_PETG_standard.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.4_PETG_super.inst.cfg b/resources/quality/artillery/PETG/artillery_0.4_PETG_super.inst.cfg index 19140e84ff..e3067cd985 100644 --- a/resources/quality/artillery/PETG/artillery_0.4_PETG_super.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.5_PETG_adaptive.inst.cfg b/resources/quality/artillery/PETG/artillery_0.5_PETG_adaptive.inst.cfg index bf3212fa50..d4ddbb487e 100644 --- a/resources/quality/artillery/PETG/artillery_0.5_PETG_adaptive.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.5_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.5_PETG_low.inst.cfg b/resources/quality/artillery/PETG/artillery_0.5_PETG_low.inst.cfg index 648814640d..9687942b3d 100644 --- a/resources/quality/artillery/PETG/artillery_0.5_PETG_low.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.5_PETG_standard.inst.cfg b/resources/quality/artillery/PETG/artillery_0.5_PETG_standard.inst.cfg index 92cf21c277..4f557e4002 100644 --- a/resources/quality/artillery/PETG/artillery_0.5_PETG_standard.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.5_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.5_PETG_super.inst.cfg b/resources/quality/artillery/PETG/artillery_0.5_PETG_super.inst.cfg index 4b69cfec55..76e97c59ca 100644 --- a/resources/quality/artillery/PETG/artillery_0.5_PETG_super.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.5_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.6_PETG_standard.inst.cfg b/resources/quality/artillery/PETG/artillery_0.6_PETG_standard.inst.cfg index db748c85b4..b4c3dfa2dc 100644 --- a/resources/quality/artillery/PETG/artillery_0.6_PETG_standard.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.6_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_0.8_PETG_draft.inst.cfg b/resources/quality/artillery/PETG/artillery_0.8_PETG_draft.inst.cfg index e2c769d83d..8826dc201d 100644 --- a/resources/quality/artillery/PETG/artillery_0.8_PETG_draft.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_0.8_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/artillery/PETG/artillery_1.0_PETG_draft.inst.cfg b/resources/quality/artillery/PETG/artillery_1.0_PETG_draft.inst.cfg index 20bd88238b..50a46c69cf 100644 --- a/resources/quality/artillery/PETG/artillery_1.0_PETG_draft.inst.cfg +++ b/resources/quality/artillery/PETG/artillery_1.0_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/artillery/PLA/artillery_0.2_PLA_super.inst.cfg b/resources/quality/artillery/PLA/artillery_0.2_PLA_super.inst.cfg index 7ca9ae9c07..47674a7afa 100644 --- a/resources/quality/artillery/PLA/artillery_0.2_PLA_super.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.2_PLA_ultra.inst.cfg b/resources/quality/artillery/PLA/artillery_0.2_PLA_ultra.inst.cfg index afbeeec331..63284a6574 100644 --- a/resources/quality/artillery/PLA/artillery_0.2_PLA_ultra.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.2_PLA_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.3_PLA_adaptive.inst.cfg b/resources/quality/artillery/PLA/artillery_0.3_PLA_adaptive.inst.cfg index cd710e9ffb..85375edf70 100644 --- a/resources/quality/artillery/PLA/artillery_0.3_PLA_adaptive.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.3_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.3_PLA_low.inst.cfg b/resources/quality/artillery/PLA/artillery_0.3_PLA_low.inst.cfg index bb1c7781e4..f0dac34f21 100644 --- a/resources/quality/artillery/PLA/artillery_0.3_PLA_low.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.3_PLA_standard.inst.cfg b/resources/quality/artillery/PLA/artillery_0.3_PLA_standard.inst.cfg index 42f92ac6b8..7a0f1f490d 100644 --- a/resources/quality/artillery/PLA/artillery_0.3_PLA_standard.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.3_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.3_PLA_super.inst.cfg b/resources/quality/artillery/PLA/artillery_0.3_PLA_super.inst.cfg index e8e63b2d94..e763b7fb33 100644 --- a/resources/quality/artillery/PLA/artillery_0.3_PLA_super.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.3_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.4_PLA_adaptive.inst.cfg b/resources/quality/artillery/PLA/artillery_0.4_PLA_adaptive.inst.cfg index 37f915a604..b66e9b7097 100644 --- a/resources/quality/artillery/PLA/artillery_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.4_PLA_low.inst.cfg b/resources/quality/artillery/PLA/artillery_0.4_PLA_low.inst.cfg index ee0fdf97d7..cb16933998 100644 --- a/resources/quality/artillery/PLA/artillery_0.4_PLA_low.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.4_PLA_standard.inst.cfg b/resources/quality/artillery/PLA/artillery_0.4_PLA_standard.inst.cfg index 0970f5b6fc..f67445376b 100644 --- a/resources/quality/artillery/PLA/artillery_0.4_PLA_standard.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.4_PLA_super.inst.cfg b/resources/quality/artillery/PLA/artillery_0.4_PLA_super.inst.cfg index f1db9fb269..ceb2d0a950 100644 --- a/resources/quality/artillery/PLA/artillery_0.4_PLA_super.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.5_PLA_adaptive.inst.cfg b/resources/quality/artillery/PLA/artillery_0.5_PLA_adaptive.inst.cfg index 5da2582663..31ef1d475c 100644 --- a/resources/quality/artillery/PLA/artillery_0.5_PLA_adaptive.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.5_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.5_PLA_low.inst.cfg b/resources/quality/artillery/PLA/artillery_0.5_PLA_low.inst.cfg index b658672e7e..52f35db9f5 100644 --- a/resources/quality/artillery/PLA/artillery_0.5_PLA_low.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.5_PLA_standard.inst.cfg b/resources/quality/artillery/PLA/artillery_0.5_PLA_standard.inst.cfg index 609dc12859..8eb3ebc735 100644 --- a/resources/quality/artillery/PLA/artillery_0.5_PLA_standard.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.5_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.5_PLA_super.inst.cfg b/resources/quality/artillery/PLA/artillery_0.5_PLA_super.inst.cfg index 4a32c3126f..2d1a7cb5f7 100644 --- a/resources/quality/artillery/PLA/artillery_0.5_PLA_super.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.5_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.6_PLA_draft.inst.cfg b/resources/quality/artillery/PLA/artillery_0.6_PLA_draft.inst.cfg index 7a11707420..347fb6029e 100644 --- a/resources/quality/artillery/PLA/artillery_0.6_PLA_draft.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.6_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.6_PLA_low.inst.cfg b/resources/quality/artillery/PLA/artillery_0.6_PLA_low.inst.cfg index 45de3811f8..12debe0118 100644 --- a/resources/quality/artillery/PLA/artillery_0.6_PLA_low.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.6_PLA_standard.inst.cfg b/resources/quality/artillery/PLA/artillery_0.6_PLA_standard.inst.cfg index 1294ae4b35..b6620b08ec 100644 --- a/resources/quality/artillery/PLA/artillery_0.6_PLA_standard.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.6_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_0.8_PLA_draft.inst.cfg b/resources/quality/artillery/PLA/artillery_0.8_PLA_draft.inst.cfg index 55ef085b43..f6917fb30f 100644 --- a/resources/quality/artillery/PLA/artillery_0.8_PLA_draft.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_0.8_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/artillery/PLA/artillery_1.0_PLA_draft.inst.cfg b/resources/quality/artillery/PLA/artillery_1.0_PLA_draft.inst.cfg index dfcc7829d2..328e57c688 100644 --- a/resources/quality/artillery/PLA/artillery_1.0_PLA_draft.inst.cfg +++ b/resources/quality/artillery/PLA/artillery_1.0_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/artillery/TPU/artillery_0.3_TPU_adaptive.inst.cfg b/resources/quality/artillery/TPU/artillery_0.3_TPU_adaptive.inst.cfg index ad930fff63..924cc1c636 100644 --- a/resources/quality/artillery/TPU/artillery_0.3_TPU_adaptive.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.3_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.3_TPU_standard.inst.cfg b/resources/quality/artillery/TPU/artillery_0.3_TPU_standard.inst.cfg index 0b825a4cab..c87d437f63 100644 --- a/resources/quality/artillery/TPU/artillery_0.3_TPU_standard.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.3_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.3_TPU_super.inst.cfg b/resources/quality/artillery/TPU/artillery_0.3_TPU_super.inst.cfg index 1c6be28c54..8d60ddd83b 100644 --- a/resources/quality/artillery/TPU/artillery_0.3_TPU_super.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.3_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.4_TPU_adaptive.inst.cfg b/resources/quality/artillery/TPU/artillery_0.4_TPU_adaptive.inst.cfg index aa239bd9f8..f9f6bc7073 100644 --- a/resources/quality/artillery/TPU/artillery_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.4_TPU_standard.inst.cfg b/resources/quality/artillery/TPU/artillery_0.4_TPU_standard.inst.cfg index 1eb7fa41d1..6d858694f4 100644 --- a/resources/quality/artillery/TPU/artillery_0.4_TPU_standard.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.4_TPU_super.inst.cfg b/resources/quality/artillery/TPU/artillery_0.4_TPU_super.inst.cfg index bb9e931d45..2e914163fb 100644 --- a/resources/quality/artillery/TPU/artillery_0.4_TPU_super.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.5_TPU_adaptive.inst.cfg b/resources/quality/artillery/TPU/artillery_0.5_TPU_adaptive.inst.cfg index 7e8222b5c2..a5c0dfcc3a 100644 --- a/resources/quality/artillery/TPU/artillery_0.5_TPU_adaptive.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.5_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.5_TPU_standard.inst.cfg b/resources/quality/artillery/TPU/artillery_0.5_TPU_standard.inst.cfg index 3974e559d4..67f8735afe 100644 --- a/resources/quality/artillery/TPU/artillery_0.5_TPU_standard.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.5_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.5_TPU_super.inst.cfg b/resources/quality/artillery/TPU/artillery_0.5_TPU_super.inst.cfg index e053e2e1ee..484c6e8d57 100644 --- a/resources/quality/artillery/TPU/artillery_0.5_TPU_super.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.5_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.6_TPU_standard.inst.cfg b/resources/quality/artillery/TPU/artillery_0.6_TPU_standard.inst.cfg index 90af3fbf44..835ed5f67f 100644 --- a/resources/quality/artillery/TPU/artillery_0.6_TPU_standard.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.6_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_0.8_TPU_draft.inst.cfg b/resources/quality/artillery/TPU/artillery_0.8_TPU_draft.inst.cfg index bb87a86237..310ee80a06 100644 --- a/resources/quality/artillery/TPU/artillery_0.8_TPU_draft.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_0.8_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/artillery/TPU/artillery_1.0_TPU_draft.inst.cfg b/resources/quality/artillery/TPU/artillery_1.0_TPU_draft.inst.cfg index b2f13f5370..cf5260143c 100644 --- a/resources/quality/artillery/TPU/artillery_1.0_TPU_draft.inst.cfg +++ b/resources/quality/artillery/TPU/artillery_1.0_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/artillery/artillery_global_adaptive.inst.cfg b/resources/quality/artillery/artillery_global_adaptive.inst.cfg index df1ab13fcf..14e4955f20 100644 --- a/resources/quality/artillery/artillery_global_adaptive.inst.cfg +++ b/resources/quality/artillery/artillery_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/artillery/artillery_global_draft.inst.cfg b/resources/quality/artillery/artillery_global_draft.inst.cfg index 26bc375cd7..8a366cebbf 100644 --- a/resources/quality/artillery/artillery_global_draft.inst.cfg +++ b/resources/quality/artillery/artillery_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/artillery/artillery_global_low.inst.cfg b/resources/quality/artillery/artillery_global_low.inst.cfg index 3ab9f258bc..246fb504f7 100644 --- a/resources/quality/artillery/artillery_global_low.inst.cfg +++ b/resources/quality/artillery/artillery_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/artillery/artillery_global_standard.inst.cfg b/resources/quality/artillery/artillery_global_standard.inst.cfg index b3fb0f1863..cd13ecfdba 100644 --- a/resources/quality/artillery/artillery_global_standard.inst.cfg +++ b/resources/quality/artillery/artillery_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/artillery/artillery_global_super.inst.cfg b/resources/quality/artillery/artillery_global_super.inst.cfg index 3a319ed516..d0e881fefc 100644 --- a/resources/quality/artillery/artillery_global_super.inst.cfg +++ b/resources/quality/artillery/artillery_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/artillery/artillery_global_ultra.inst.cfg b/resources/quality/artillery/artillery_global_ultra.inst.cfg index c12db3c215..717971cfbf 100644 --- a/resources/quality/artillery/artillery_global_ultra.inst.cfg +++ b/resources/quality/artillery/artillery_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_extrafast_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_extrafast_quality.inst.cfg index 034cca6aa1..9aeb1fcb5f 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_extrafast_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_extrafast_quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_extrafine_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_extrafine_quality.inst.cfg index 1526b44604..8413e7320f 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_extrafine_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_extrafine_quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_fast_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_fast_quality.inst.cfg index af27696752..0c0a2c580a 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_fast_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_fast_quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_fine_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_fine_quality.inst.cfg index 4525a0ec49..bd3ab2ad87 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_fine_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_fine_quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_normal_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_normal_quality.inst.cfg index 32cae70845..2a66880b52 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_normal_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_normal_quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_sprint_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_sprint_quality.inst.cfg index f962afb13e..33178e33c5 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_sprint_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_sprint_quality.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_supersprint_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_supersprint_quality.inst.cfg index 44b0a48e9e..59e365a476 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_supersprint_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_supersprint_quality.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_global_ultrasprint_quality.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_global_ultrasprint_quality.inst.cfg index 35bbda06e1..683af0e829 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_global_ultrasprint_quality.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_global_ultrasprint_quality.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint global_quality = True diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_extrafast.inst.cfg index 6a132675f4..379db7078c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fast.inst.cfg index dc3a39459e..2b44436951 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fine.inst.cfg index 7c90ea990e..9591ad40f6 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_normal.inst.cfg index ff2e3c3f95..28d06a998e 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_extrafast.inst.cfg index 43471f8a8b..3d803de3a0 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fast.inst.cfg index 4d8921ad0c..c1b859729e 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fine.inst.cfg index c81e574a1d..d65cdf8591 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_normal.inst.cfg index 9c872df545..ed0794fe1c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_HIPS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_extrafast.inst.cfg index 04ed4780db..1ef0ee622c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fast.inst.cfg index 9b3fa91695..d58c76208c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fine.inst.cfg index 9c078b9c18..e804a1afa7 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_normal.inst.cfg index 726c83239a..ce8abc89fd 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_extrafast.inst.cfg index e28a7d8572..bcaf92a6e5 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fast.inst.cfg index 8d3bd532e5..eea17addce 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fine.inst.cfg index 3c44256587..fddbdfe6b5 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_normal.inst.cfg index 72f4cd69b7..0339408bf3 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_extrafast.inst.cfg index 3d4ea7c014..befae1696e 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fast.inst.cfg index 347f2bf90b..6849d1ce04 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fine.inst.cfg index 2bd7a7cca6..848edc6e40 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_normal.inst.cfg index 9ad8d4a8d8..367e759341 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_extrafast.inst.cfg index 96bfa875b6..b05624b9e2 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fast.inst.cfg index 33a407b26e..4f837f46fa 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fine.inst.cfg index 261f0b8b2b..0069c0a7d7 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_normal.inst.cfg index c27db15c39..1d36e60167 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_extrafast.inst.cfg index a6c2ae927c..4651a53d53 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fast.inst.cfg index 26afebdf10..7cb339761c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fine.inst.cfg index d599144a8c..653260cb2e 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_normal.inst.cfg index 343bf3e906..cd513a9a3c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_PVA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_extrafast.inst.cfg index b0605e765c..c0e4623256 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_tpu_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fast.inst.cfg index d0de281838..17466da931 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_tpu_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fine.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fine.inst.cfg index fa3c6f09c3..a5ff8fb665 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fine.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_tpu_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_normal.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_normal.inst.cfg index d02d8343e3..e92f92eabe 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_normal.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.40_TPU_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_extrafast.inst.cfg index 8e052f8126..0d401af8f2 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_sprint.inst.cfg index 265beb982f..9f0fd2931b 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_supersprint.inst.cfg index 0bda5e7f06..bee8fd35f6 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_ABS_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_abs_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_extrafast.inst.cfg index cb8625c6f0..171657b845 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_sprint.inst.cfg index 068411139a..0844af44f9 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_supersprint.inst.cfg index e5f1d8aefe..c79f734539 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_HIPS_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_hips_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_extrafast.inst.cfg index 4fe2e777f2..b4c368e078 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_sprint.inst.cfg index 443d74f830..0743d85e88 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_supersprint.inst.cfg index e0d7e32bd6..4457ccd212 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_nylon_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_extrafast.inst.cfg index 224cd0e90c..9d78fd8bba 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_sprint.inst.cfg index 376805988f..1f1aa9d153 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_supersprint.inst.cfg index e39b55226b..2e16c8ff8c 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PC_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pc_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_extrafast.inst.cfg index ed70dc1254..3519f7a5ed 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_sprint.inst.cfg index 8742dd8c4a..2b9a360c53 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_supersprint.inst.cfg index d42fcb50df..55bc7dd5a0 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PETG_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_petg_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_extrafast.inst.cfg index d065dc64cd..56b86edcab 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_sprint.inst.cfg index 1a0685eca3..4f3956e9ee 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_supersprint.inst.cfg index 158d9b9908..4b2fad983d 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PLA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pla_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_extrafast.inst.cfg index 426fe50860..9fdc01b681 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_sprint.inst.cfg index 667106e7c1..0762927701 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_supersprint.inst.cfg index 6d8dc6d3e3..7cc08f4da3 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_PVA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pva_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_extrafast.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_extrafast.inst.cfg index 4ac42ddd77..7c15a87ac6 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_extrafast.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_tpu_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_sprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_sprint.inst.cfg index 14d6bd83e3..888e3eca58 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_sprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_tpu_175 diff --git a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_supersprint.inst.cfg b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_supersprint.inst.cfg index 683d18a08a..01b6ddf327 100644 --- a/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_supersprint.inst.cfg +++ b/resources/quality/atmat_signal_pro/signal_pro_v6_0.80_TPU_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = atmat_signal_pro_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_tpu_175 diff --git a/resources/quality/beamup_l/beamup_l_coarse.inst.cfg b/resources/quality/beamup_l/beamup_l_coarse.inst.cfg index 6cfb50ce3b..0f217ff151 100644 --- a/resources/quality/beamup_l/beamup_l_coarse.inst.cfg +++ b/resources/quality/beamup_l/beamup_l_coarse.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp L Coarse definition = beamup_l [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/beamup_l/beamup_l_draft.inst.cfg b/resources/quality/beamup_l/beamup_l_draft.inst.cfg index e4874839fb..fd668db53a 100644 --- a/resources/quality/beamup_l/beamup_l_draft.inst.cfg +++ b/resources/quality/beamup_l/beamup_l_draft.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp L Draft definition = beamup_l [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/beamup_l/beamup_l_extra_fine.inst.cfg b/resources/quality/beamup_l/beamup_l_extra_fine.inst.cfg index 7789ce4c0a..dcd68de112 100644 --- a/resources/quality/beamup_l/beamup_l_extra_fine.inst.cfg +++ b/resources/quality/beamup_l/beamup_l_extra_fine.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp L Extra Fine definition = beamup_l [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/beamup_l/beamup_l_fine.inst.cfg b/resources/quality/beamup_l/beamup_l_fine.inst.cfg index 335c7ccafc..b5c1109d59 100644 --- a/resources/quality/beamup_l/beamup_l_fine.inst.cfg +++ b/resources/quality/beamup_l/beamup_l_fine.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp L Fine definition = beamup_l [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/beamup_l/beamup_l_normal.inst.cfg b/resources/quality/beamup_l/beamup_l_normal.inst.cfg index efd915a013..348bf4e78c 100644 --- a/resources/quality/beamup_l/beamup_l_normal.inst.cfg +++ b/resources/quality/beamup_l/beamup_l_normal.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp L Normal definition = beamup_l [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/beamup_s/beamup_s_coarse.inst.cfg b/resources/quality/beamup_s/beamup_s_coarse.inst.cfg index aae5123ff2..1997cba221 100644 --- a/resources/quality/beamup_s/beamup_s_coarse.inst.cfg +++ b/resources/quality/beamup_s/beamup_s_coarse.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp S Coarse definition = beamup_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/beamup_s/beamup_s_draft.inst.cfg b/resources/quality/beamup_s/beamup_s_draft.inst.cfg index 52facae726..ebfbd28010 100644 --- a/resources/quality/beamup_s/beamup_s_draft.inst.cfg +++ b/resources/quality/beamup_s/beamup_s_draft.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp S Draft definition = beamup_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/beamup_s/beamup_s_extra_fine.inst.cfg b/resources/quality/beamup_s/beamup_s_extra_fine.inst.cfg index 8b6129bd7b..8a2d6e4dee 100644 --- a/resources/quality/beamup_s/beamup_s_extra_fine.inst.cfg +++ b/resources/quality/beamup_s/beamup_s_extra_fine.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp S Extra Fine definition = beamup_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/beamup_s/beamup_s_fine.inst.cfg b/resources/quality/beamup_s/beamup_s_fine.inst.cfg index f89b5f35ae..9d151a6f7d 100644 --- a/resources/quality/beamup_s/beamup_s_fine.inst.cfg +++ b/resources/quality/beamup_s/beamup_s_fine.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp S Fine definition = beamup_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/beamup_s/beamup_s_normal.inst.cfg b/resources/quality/beamup_s/beamup_s_normal.inst.cfg index 397623e248..03bc7f0795 100644 --- a/resources/quality/beamup_s/beamup_s_normal.inst.cfg +++ b/resources/quality/beamup_s/beamup_s_normal.inst.cfg @@ -4,7 +4,7 @@ name = BeamUp S Normal definition = beamup_s [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/biqu/base/biqu_base_0.2_ABS_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.2_ABS_super.inst.cfg index 2cdb82e410..525308ecc6 100644 --- a/resources/quality/biqu/base/biqu_base_0.2_ABS_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.2_ABS_ultra.inst.cfg b/resources/quality/biqu/base/biqu_base_0.2_ABS_ultra.inst.cfg index 578df18152..27d2ce9630 100644 --- a/resources/quality/biqu/base/biqu_base_0.2_ABS_ultra.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.2_ABS_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.2_PETG_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.2_PETG_super.inst.cfg index e2089e9fd7..23b80ce056 100644 --- a/resources/quality/biqu/base/biqu_base_0.2_PETG_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.2_PETG_ultra.inst.cfg b/resources/quality/biqu/base/biqu_base_0.2_PETG_ultra.inst.cfg index 70d01de6f6..e119a7d03f 100644 --- a/resources/quality/biqu/base/biqu_base_0.2_PETG_ultra.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.2_PETG_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.2_PLA_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.2_PLA_super.inst.cfg index 0312d0c9e2..400632abc3 100644 --- a/resources/quality/biqu/base/biqu_base_0.2_PLA_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.2_PLA_ultra.inst.cfg b/resources/quality/biqu/base/biqu_base_0.2_PLA_ultra.inst.cfg index 16c1db41ac..737a5fe3c5 100644 --- a/resources/quality/biqu/base/biqu_base_0.2_PLA_ultra.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.2_PLA_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_ABS_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_ABS_adaptive.inst.cfg index 5778954ee7..753759b949 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_ABS_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_ABS_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_ABS_low.inst.cfg index c3e7dd1744..0540559697 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_ABS_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_ABS_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_ABS_standard.inst.cfg index 4eeb2f6ba8..9ffad06a2f 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_ABS_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_ABS_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_ABS_super.inst.cfg index 702d0a1870..cdf5c07339 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_ABS_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PETG_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PETG_adaptive.inst.cfg index 526bb2a007..ec09434863 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PETG_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PETG_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PETG_low.inst.cfg index ab8768ef9c..8f0301a132 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PETG_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PETG_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PETG_standard.inst.cfg index 24f77b30cf..ef450e3689 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PETG_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PETG_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PETG_super.inst.cfg index 746b9d46ae..5680180947 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PETG_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PLA_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PLA_adaptive.inst.cfg index af2c869a3b..cfbbc55907 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PLA_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PLA_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PLA_low.inst.cfg index 8b2f137526..f7671744be 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PLA_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PLA_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PLA_standard.inst.cfg index d272220a6d..eb47f29224 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PLA_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_PLA_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_PLA_super.inst.cfg index a5d6547190..16f608321d 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_PLA_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_TPU_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_TPU_adaptive.inst.cfg index 7612bcf4bc..4bf836f264 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_TPU_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_TPU_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_TPU_standard.inst.cfg index f568b1cbc6..f0cedb156a 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_TPU_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.3_TPU_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.3_TPU_super.inst.cfg index ab1a0d5931..d144f82bee 100644 --- a/resources/quality/biqu/base/biqu_base_0.3_TPU_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.3_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_ABS_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_ABS_adaptive.inst.cfg index 0837b0c043..f4f15c88b4 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_ABS_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_ABS_low.inst.cfg index 598404f79b..4e4b16ef7d 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_ABS_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_ABS_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_ABS_standard.inst.cfg index 023fd6e0bc..2bf30d7ee6 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_ABS_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_ABS_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_ABS_super.inst.cfg index 038f50a4e4..68f70e18d1 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_ABS_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PETG_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PETG_adaptive.inst.cfg index 0ffc11351e..03a8bb2ea3 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PETG_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PETG_low.inst.cfg index dcad4db0de..9351d27441 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PETG_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PETG_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PETG_standard.inst.cfg index ebba293c27..350cce6506 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PETG_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PETG_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PETG_super.inst.cfg index 81875f49ca..d09ea167da 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PETG_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PLA_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PLA_adaptive.inst.cfg index 896171e2c9..bc7a949c19 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PLA_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PLA_low.inst.cfg index 9b01da6aa7..30cf74d402 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PLA_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PLA_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PLA_standard.inst.cfg index 24aa318a97..cfed75baf0 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PLA_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_PLA_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_PLA_super.inst.cfg index cf3f1f8f93..fab4143fb8 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_PLA_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_TPU_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_TPU_adaptive.inst.cfg index 9a87206711..36d8172113 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_TPU_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_TPU_standard.inst.cfg index 86e682ee79..0a9452aafe 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_TPU_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.4_TPU_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.4_TPU_super.inst.cfg index a6ab4c6957..032a86d5f0 100644 --- a/resources/quality/biqu/base/biqu_base_0.4_TPU_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_ABS_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_ABS_adaptive.inst.cfg index 62a0dac4ae..8e9b0b0372 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_ABS_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_ABS_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_ABS_low.inst.cfg index 7396cd4dce..369b3aeb41 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_ABS_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_ABS_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_ABS_standard.inst.cfg index 4e516222b1..417201f753 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_ABS_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_ABS_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_ABS_super.inst.cfg index b6e9d77f2f..faceb27e8e 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_ABS_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PETG_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PETG_adaptive.inst.cfg index 048724af4d..b4d2dad022 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PETG_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PETG_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PETG_low.inst.cfg index fc3f130ba6..94588abced 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PETG_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PETG_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PETG_standard.inst.cfg index 743ec4ea3d..58cb116df3 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PETG_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PETG_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PETG_super.inst.cfg index 27b0c72f20..f1552c56f3 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PETG_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PLA_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PLA_adaptive.inst.cfg index f24d4ac9a5..146dce766a 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PLA_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PLA_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PLA_low.inst.cfg index 1ac13f83f1..566db6e183 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PLA_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PLA_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PLA_standard.inst.cfg index 151b134411..7bb5499145 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PLA_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_PLA_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_PLA_super.inst.cfg index d4c3f9df16..8efec444eb 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_PLA_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_TPU_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_TPU_adaptive.inst.cfg index 7fb0f8f07c..0e69afeca7 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_TPU_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_TPU_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_TPU_standard.inst.cfg index a85e242530..67cb6c835e 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_TPU_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.5_TPU_super.inst.cfg b/resources/quality/biqu/base/biqu_base_0.5_TPU_super.inst.cfg index c227fafb01..2164b2c7a6 100644 --- a/resources/quality/biqu/base/biqu_base_0.5_TPU_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.5_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.6_ABS_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.6_ABS_standard.inst.cfg index b40aa5ee54..bbd1be8427 100644 --- a/resources/quality/biqu/base/biqu_base_0.6_ABS_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.6_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.6_PETG_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.6_PETG_standard.inst.cfg index ea71d32d0e..ec1aac7eaf 100644 --- a/resources/quality/biqu/base/biqu_base_0.6_PETG_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.6_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.6_PLA_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_0.6_PLA_draft.inst.cfg index 04d2d63966..b616da7c44 100644 --- a/resources/quality/biqu/base/biqu_base_0.6_PLA_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.6_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.6_PLA_low.inst.cfg b/resources/quality/biqu/base/biqu_base_0.6_PLA_low.inst.cfg index 5c89e439a0..c382856ae1 100644 --- a/resources/quality/biqu/base/biqu_base_0.6_PLA_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.6_PLA_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.6_PLA_standard.inst.cfg index ee41c10954..72ae8357c3 100644 --- a/resources/quality/biqu/base/biqu_base_0.6_PLA_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.6_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.6_TPU_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_0.6_TPU_standard.inst.cfg index 9244e652c1..4f5220d871 100644 --- a/resources/quality/biqu/base/biqu_base_0.6_TPU_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.6_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_0.8_ABS_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_0.8_ABS_draft.inst.cfg index b79f30e59a..4b91296e88 100644 --- a/resources/quality/biqu/base/biqu_base_0.8_ABS_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.8_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_0.8_PETG_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_0.8_PETG_draft.inst.cfg index d60b41e20a..6cd9a1685a 100644 --- a/resources/quality/biqu/base/biqu_base_0.8_PETG_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.8_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_0.8_PLA_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_0.8_PLA_draft.inst.cfg index d21636c44a..44531f41e7 100644 --- a/resources/quality/biqu/base/biqu_base_0.8_PLA_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.8_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_0.8_TPU_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_0.8_TPU_draft.inst.cfg index 473d186ce6..5dc1fa093e 100644 --- a/resources/quality/biqu/base/biqu_base_0.8_TPU_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_0.8_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_1.0_ABS_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_1.0_ABS_draft.inst.cfg index a9465a8e20..aaff203ffa 100644 --- a/resources/quality/biqu/base/biqu_base_1.0_ABS_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_1.0_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs_175 diff --git a/resources/quality/biqu/base/biqu_base_1.0_PETG_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_1.0_PETG_draft.inst.cfg index 4e4c1c19bd..42d3e92310 100644 --- a/resources/quality/biqu/base/biqu_base_1.0_PETG_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_1.0_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg_175 diff --git a/resources/quality/biqu/base/biqu_base_1.0_PLA_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_1.0_PLA_draft.inst.cfg index 9e84f65c01..32454ffe20 100644 --- a/resources/quality/biqu/base/biqu_base_1.0_PLA_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_1.0_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla_175 diff --git a/resources/quality/biqu/base/biqu_base_1.0_TPU_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_1.0_TPU_draft.inst.cfg index 521728383f..8faed6e584 100644 --- a/resources/quality/biqu/base/biqu_base_1.0_TPU_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_1.0_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu_175 diff --git a/resources/quality/biqu/base/biqu_base_global_adaptive.inst.cfg b/resources/quality/biqu/base/biqu_base_global_adaptive.inst.cfg index 7a28494ace..afecb0faf7 100644 --- a/resources/quality/biqu/base/biqu_base_global_adaptive.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/biqu/base/biqu_base_global_draft.inst.cfg b/resources/quality/biqu/base/biqu_base_global_draft.inst.cfg index 121ea1b312..c66cb26477 100644 --- a/resources/quality/biqu/base/biqu_base_global_draft.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/biqu/base/biqu_base_global_low.inst.cfg b/resources/quality/biqu/base/biqu_base_global_low.inst.cfg index 23ba1ff6aa..98841fb818 100644 --- a/resources/quality/biqu/base/biqu_base_global_low.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/biqu/base/biqu_base_global_standard.inst.cfg b/resources/quality/biqu/base/biqu_base_global_standard.inst.cfg index 1657abc6bb..546cfac9c2 100644 --- a/resources/quality/biqu/base/biqu_base_global_standard.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/biqu/base/biqu_base_global_super.inst.cfg b/resources/quality/biqu/base/biqu_base_global_super.inst.cfg index ac68427ab2..d326523017 100644 --- a/resources/quality/biqu/base/biqu_base_global_super.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/biqu/base/biqu_base_global_ultra.inst.cfg b/resources/quality/biqu/base/biqu_base_global_ultra.inst.cfg index 82ca6e75e4..b26e350494 100644 --- a/resources/quality/biqu/base/biqu_base_global_ultra.inst.cfg +++ b/resources/quality/biqu/base/biqu_base_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/builder_premium/bp_BVOH_Coarse_Quality.inst.cfg b/resources/quality/builder_premium/bp_BVOH_Coarse_Quality.inst.cfg index 121fe368a8..5025b5866d 100644 --- a/resources/quality/builder_premium/bp_BVOH_Coarse_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_BVOH_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/builder_premium/bp_BVOH_High_Quality.inst.cfg b/resources/quality/builder_premium/bp_BVOH_High_Quality.inst.cfg index b8616c8d5f..449f6e49b2 100644 --- a/resources/quality/builder_premium/bp_BVOH_High_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_BVOH_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/builder_premium/bp_BVOH_Normal_Quality.inst.cfg b/resources/quality/builder_premium/bp_BVOH_Normal_Quality.inst.cfg index e5aea92480..03cd020d3c 100644 --- a/resources/quality/builder_premium/bp_BVOH_Normal_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_BVOH_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/builder_premium/bp_Innoflex60_Coarse_Quality.inst.cfg b/resources/quality/builder_premium/bp_Innoflex60_Coarse_Quality.inst.cfg index 51b142c56f..718bda65f2 100644 --- a/resources/quality/builder_premium/bp_Innoflex60_Coarse_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_Innoflex60_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/builder_premium/bp_Innoflex60_High_Quality.inst.cfg b/resources/quality/builder_premium/bp_Innoflex60_High_Quality.inst.cfg index 1709ab29c0..5feac41e70 100644 --- a/resources/quality/builder_premium/bp_Innoflex60_High_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_Innoflex60_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/builder_premium/bp_Innoflex60_Normal_Quality.inst.cfg b/resources/quality/builder_premium/bp_Innoflex60_Normal_Quality.inst.cfg index 9fefa04358..05318d53a4 100644 --- a/resources/quality/builder_premium/bp_Innoflex60_Normal_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_Innoflex60_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/builder_premium/bp_PET_Coarse_Quality.inst.cfg b/resources/quality/builder_premium/bp_PET_Coarse_Quality.inst.cfg index dc61016921..404ad5f29b 100644 --- a/resources/quality/builder_premium/bp_PET_Coarse_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PET_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/builder_premium/bp_PET_High_Quality.inst.cfg b/resources/quality/builder_premium/bp_PET_High_Quality.inst.cfg index 9b58b8e54f..1ca2859c26 100644 --- a/resources/quality/builder_premium/bp_PET_High_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PET_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/builder_premium/bp_PET_Normal_Quality.inst.cfg b/resources/quality/builder_premium/bp_PET_Normal_Quality.inst.cfg index 56d4298e89..d65a2b97b4 100644 --- a/resources/quality/builder_premium/bp_PET_Normal_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PET_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/builder_premium/bp_PLA_Coarse_Quality.inst.cfg b/resources/quality/builder_premium/bp_PLA_Coarse_Quality.inst.cfg index 88db48db97..e56f53d75d 100644 --- a/resources/quality/builder_premium/bp_PLA_Coarse_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PLA_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/builder_premium/bp_PLA_High_Quality.inst.cfg b/resources/quality/builder_premium/bp_PLA_High_Quality.inst.cfg index 62d5dfe5f4..5eb9aa60f8 100644 --- a/resources/quality/builder_premium/bp_PLA_High_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/builder_premium/bp_PLA_Normal_Quality.inst.cfg b/resources/quality/builder_premium/bp_PLA_Normal_Quality.inst.cfg index 9d2acaf00d..3aafcc121a 100644 --- a/resources/quality/builder_premium/bp_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/builder_premium/bp_PVA_Coarse_Quality.inst.cfg b/resources/quality/builder_premium/bp_PVA_Coarse_Quality.inst.cfg index 1ad9f8e765..39d6bf101c 100644 --- a/resources/quality/builder_premium/bp_PVA_Coarse_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PVA_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/builder_premium/bp_PVA_High_Quality.inst.cfg b/resources/quality/builder_premium/bp_PVA_High_Quality.inst.cfg index 0d70bbf115..386682bda1 100644 --- a/resources/quality/builder_premium/bp_PVA_High_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PVA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/builder_premium/bp_PVA_Normal_Quality.inst.cfg b/resources/quality/builder_premium/bp_PVA_Normal_Quality.inst.cfg index 2cad8a9a67..6f697a6420 100644 --- a/resources/quality/builder_premium/bp_PVA_Normal_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_PVA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/builder_premium/bp_global_Coarse_Quality.inst.cfg b/resources/quality/builder_premium/bp_global_Coarse_Quality.inst.cfg index 07f78d8488..7c4721b39f 100644 --- a/resources/quality/builder_premium/bp_global_Coarse_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/builder_premium/bp_global_High_Quality.inst.cfg b/resources/quality/builder_premium/bp_global_High_Quality.inst.cfg index 9d327c9972..0c566d5a81 100644 --- a/resources/quality/builder_premium/bp_global_High_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/builder_premium/bp_global_Normal_Quality.inst.cfg b/resources/quality/builder_premium/bp_global_Normal_Quality.inst.cfg index 4cd6f4acb1..5cd4d5bba2 100644 --- a/resources/quality/builder_premium/bp_global_Normal_Quality.inst.cfg +++ b/resources/quality/builder_premium/bp_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = builder_premium_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/abs/cartesio_0.25_abs_high.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.25_abs_high.inst.cfg index 2b069f4df1..7bf45c9d57 100644 --- a/resources/quality/cartesio/abs/cartesio_0.25_abs_high.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.25_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/abs/cartesio_0.25_abs_normal.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.25_abs_normal.inst.cfg index 1104006af2..c7849189d5 100644 --- a/resources/quality/cartesio/abs/cartesio_0.25_abs_normal.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.25_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/abs/cartesio_0.4_abs_high.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.4_abs_high.inst.cfg index 5f7078b90c..4e201b3862 100644 --- a/resources/quality/cartesio/abs/cartesio_0.4_abs_high.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.4_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/abs/cartesio_0.4_abs_normal.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.4_abs_normal.inst.cfg index 3ff9865945..664c4fa94e 100644 --- a/resources/quality/cartesio/abs/cartesio_0.4_abs_normal.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.4_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/abs/cartesio_0.8_abs_coarse.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.8_abs_coarse.inst.cfg index d5907905c6..35b463f919 100644 --- a/resources/quality/cartesio/abs/cartesio_0.8_abs_coarse.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.8_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/cartesio/abs/cartesio_0.8_abs_extra_coarse.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.8_abs_extra_coarse.inst.cfg index 81e75d4e45..3fd0d3ba5c 100644 --- a/resources/quality/cartesio/abs/cartesio_0.8_abs_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.8_abs_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 4 diff --git a/resources/quality/cartesio/abs/cartesio_0.8_abs_high.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.8_abs_high.inst.cfg index b76fc5c249..31754c0ff4 100644 --- a/resources/quality/cartesio/abs/cartesio_0.8_abs_high.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.8_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/abs/cartesio_0.8_abs_normal.inst.cfg b/resources/quality/cartesio/abs/cartesio_0.8_abs_normal.inst.cfg index 0c70269fb8..89549fc794 100644 --- a/resources/quality/cartesio/abs/cartesio_0.8_abs_normal.inst.cfg +++ b/resources/quality/cartesio/abs/cartesio_0.8_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_high.inst.cfg b/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_high.inst.cfg index 1c620f4449..b1d48930e4 100644 --- a/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_high.inst.cfg +++ b/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_normal.inst.cfg b/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_normal.inst.cfg index 785eface17..21ca899e62 100644 --- a/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_normal.inst.cfg +++ b/resources/quality/cartesio/arnitel/cartesio_0.4_arnitel2045_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/cartesio_global_Coarse_Quality.inst.cfg b/resources/quality/cartesio/cartesio_global_Coarse_Quality.inst.cfg index 9ec10e0045..96fce904c7 100644 --- a/resources/quality/cartesio/cartesio_global_Coarse_Quality.inst.cfg +++ b/resources/quality/cartesio/cartesio_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/cartesio/cartesio_global_Extra_Coarse_Quality.inst.cfg b/resources/quality/cartesio/cartesio_global_Extra_Coarse_Quality.inst.cfg index 92b2693bae..4fdccdddd8 100644 --- a/resources/quality/cartesio/cartesio_global_Extra_Coarse_Quality.inst.cfg +++ b/resources/quality/cartesio/cartesio_global_Extra_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -4 diff --git a/resources/quality/cartesio/cartesio_global_High_Quality.inst.cfg b/resources/quality/cartesio/cartesio_global_High_Quality.inst.cfg index 8163ed096d..c072a0c9a3 100644 --- a/resources/quality/cartesio/cartesio_global_High_Quality.inst.cfg +++ b/resources/quality/cartesio/cartesio_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/cartesio_global_Normal_Quality.inst.cfg b/resources/quality/cartesio/cartesio_global_Normal_Quality.inst.cfg index 1bb329686c..d96f3bfe6a 100644 --- a/resources/quality/cartesio/cartesio_global_Normal_Quality.inst.cfg +++ b/resources/quality/cartesio/cartesio_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/hips/cartesio_0.25_hips_high.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.25_hips_high.inst.cfg index 116a304d40..75b287b7be 100644 --- a/resources/quality/cartesio/hips/cartesio_0.25_hips_high.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.25_hips_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/hips/cartesio_0.25_hips_normal.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.25_hips_normal.inst.cfg index 36e266a988..2981397bf1 100644 --- a/resources/quality/cartesio/hips/cartesio_0.25_hips_normal.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.25_hips_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/hips/cartesio_0.4_hips_high.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.4_hips_high.inst.cfg index b33ec8f1d6..a240c27d8f 100644 --- a/resources/quality/cartesio/hips/cartesio_0.4_hips_high.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.4_hips_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/hips/cartesio_0.4_hips_normal.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.4_hips_normal.inst.cfg index 3909d71ab2..63bdc80cdd 100644 --- a/resources/quality/cartesio/hips/cartesio_0.4_hips_normal.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.4_hips_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/hips/cartesio_0.8_hips_coarse.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.8_hips_coarse.inst.cfg index 1455c1c005..3631816337 100644 --- a/resources/quality/cartesio/hips/cartesio_0.8_hips_coarse.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.8_hips_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/cartesio/hips/cartesio_0.8_hips_extra_coarse.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.8_hips_extra_coarse.inst.cfg index 32c830fce9..ed0953e980 100644 --- a/resources/quality/cartesio/hips/cartesio_0.8_hips_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.8_hips_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 4 diff --git a/resources/quality/cartesio/hips/cartesio_0.8_hips_high.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.8_hips_high.inst.cfg index 9d35ae882c..be1332cc63 100644 --- a/resources/quality/cartesio/hips/cartesio_0.8_hips_high.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.8_hips_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/hips/cartesio_0.8_hips_normal.inst.cfg b/resources/quality/cartesio/hips/cartesio_0.8_hips_normal.inst.cfg index 43b2dc5c8a..7edaeb1461 100644 --- a/resources/quality/cartesio/hips/cartesio_0.8_hips_normal.inst.cfg +++ b/resources/quality/cartesio/hips/cartesio_0.8_hips_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/nylon/cartesio_0.25_nylon_high.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.25_nylon_high.inst.cfg index d3de2ae771..7b3581a9f9 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.25_nylon_high.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.25_nylon_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/nylon/cartesio_0.25_nylon_normal.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.25_nylon_normal.inst.cfg index 3a838a02c7..a78d9f2bdc 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.25_nylon_normal.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.25_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/nylon/cartesio_0.4_nylon_high.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.4_nylon_high.inst.cfg index affc954df8..52dc915702 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.4_nylon_high.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.4_nylon_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/nylon/cartesio_0.4_nylon_normal.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.4_nylon_normal.inst.cfg index 4d95d09916..4b8dfc769f 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.4_nylon_normal.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.4_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_coarse.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_coarse.inst.cfg index 91bbddbadd..68fef6a52e 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_coarse.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_extra_coarse.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_extra_coarse.inst.cfg index 9a5631beff..6fd8f98820 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 4 diff --git a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_high.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_high.inst.cfg index 259c1802c3..7dae91f4f0 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_high.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_normal.inst.cfg b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_normal.inst.cfg index b748bf41cd..8f3c99afa1 100644 --- a/resources/quality/cartesio/nylon/cartesio_0.8_nylon_normal.inst.cfg +++ b/resources/quality/cartesio/nylon/cartesio_0.8_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pc/cartesio_0.25_pc_high.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.25_pc_high.inst.cfg index b0e0794c97..25cfec3660 100644 --- a/resources/quality/cartesio/pc/cartesio_0.25_pc_high.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.25_pc_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pc/cartesio_0.25_pc_normal.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.25_pc_normal.inst.cfg index 4a6b4690f5..7413573fb2 100644 --- a/resources/quality/cartesio/pc/cartesio_0.25_pc_normal.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.25_pc_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pc/cartesio_0.4_pc_high.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.4_pc_high.inst.cfg index 08a465b714..7144b584b5 100644 --- a/resources/quality/cartesio/pc/cartesio_0.4_pc_high.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.4_pc_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pc/cartesio_0.4_pc_normal.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.4_pc_normal.inst.cfg index 6d6a3de06d..c0dfffe4e3 100644 --- a/resources/quality/cartesio/pc/cartesio_0.4_pc_normal.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.4_pc_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pc/cartesio_0.8_pc_coarse.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.8_pc_coarse.inst.cfg index 34d4204fec..e2e34adb91 100644 --- a/resources/quality/cartesio/pc/cartesio_0.8_pc_coarse.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.8_pc_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/cartesio/pc/cartesio_0.8_pc_extra_coarse.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.8_pc_extra_coarse.inst.cfg index a5d541e757..dd605d551b 100644 --- a/resources/quality/cartesio/pc/cartesio_0.8_pc_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.8_pc_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 4 diff --git a/resources/quality/cartesio/pc/cartesio_0.8_pc_high.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.8_pc_high.inst.cfg index d0a944bb43..3f2edcab38 100644 --- a/resources/quality/cartesio/pc/cartesio_0.8_pc_high.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.8_pc_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pc/cartesio_0.8_pc_normal.inst.cfg b/resources/quality/cartesio/pc/cartesio_0.8_pc_normal.inst.cfg index 9a652383f2..f85e3fc0ad 100644 --- a/resources/quality/cartesio/pc/cartesio_0.8_pc_normal.inst.cfg +++ b/resources/quality/cartesio/pc/cartesio_0.8_pc_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/petg/cartesio_0.25_petg_high.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.25_petg_high.inst.cfg index cd29747040..cbfb71be69 100644 --- a/resources/quality/cartesio/petg/cartesio_0.25_petg_high.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.25_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/petg/cartesio_0.25_petg_normal.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.25_petg_normal.inst.cfg index 90d7cd1b3a..28f78ef6cf 100644 --- a/resources/quality/cartesio/petg/cartesio_0.25_petg_normal.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.25_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/petg/cartesio_0.4_petg_high.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.4_petg_high.inst.cfg index 9d8231e8c0..3fded04ee5 100644 --- a/resources/quality/cartesio/petg/cartesio_0.4_petg_high.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.4_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/petg/cartesio_0.4_petg_normal.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.4_petg_normal.inst.cfg index ba11545751..19da426b69 100644 --- a/resources/quality/cartesio/petg/cartesio_0.4_petg_normal.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.4_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/petg/cartesio_0.8_petg_coarse.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.8_petg_coarse.inst.cfg index f6dfc3a653..543c328251 100644 --- a/resources/quality/cartesio/petg/cartesio_0.8_petg_coarse.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.8_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/cartesio/petg/cartesio_0.8_petg_extra_coarse.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.8_petg_extra_coarse.inst.cfg index b8681a1576..5ab674e433 100644 --- a/resources/quality/cartesio/petg/cartesio_0.8_petg_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.8_petg_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 4 diff --git a/resources/quality/cartesio/petg/cartesio_0.8_petg_high.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.8_petg_high.inst.cfg index 30685201f9..d2b4577c97 100644 --- a/resources/quality/cartesio/petg/cartesio_0.8_petg_high.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.8_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/petg/cartesio_0.8_petg_normal.inst.cfg b/resources/quality/cartesio/petg/cartesio_0.8_petg_normal.inst.cfg index eaabaf4be2..f0ae097707 100644 --- a/resources/quality/cartesio/petg/cartesio_0.8_petg_normal.inst.cfg +++ b/resources/quality/cartesio/petg/cartesio_0.8_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pla/cartesio_0.25_pla_high.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.25_pla_high.inst.cfg index 57ed11df48..67770a9c19 100644 --- a/resources/quality/cartesio/pla/cartesio_0.25_pla_high.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.25_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pla/cartesio_0.25_pla_normal.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.25_pla_normal.inst.cfg index 28ed36c977..f7e2d0ab93 100644 --- a/resources/quality/cartesio/pla/cartesio_0.25_pla_normal.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.25_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pla/cartesio_0.4_pla_high.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.4_pla_high.inst.cfg index 7b4c6be5a3..2ac5c748dd 100644 --- a/resources/quality/cartesio/pla/cartesio_0.4_pla_high.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.4_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pla/cartesio_0.4_pla_normal.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.4_pla_normal.inst.cfg index ce12b97f60..6ad75bb3c0 100644 --- a/resources/quality/cartesio/pla/cartesio_0.4_pla_normal.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.4_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pla/cartesio_0.8_pla_coarse.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.8_pla_coarse.inst.cfg index 1ab58f3bc8..917e04a248 100644 --- a/resources/quality/cartesio/pla/cartesio_0.8_pla_coarse.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.8_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/cartesio/pla/cartesio_0.8_pla_extra_coarse.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.8_pla_extra_coarse.inst.cfg index 02e2d717c7..da88f49160 100644 --- a/resources/quality/cartesio/pla/cartesio_0.8_pla_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.8_pla_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -4 diff --git a/resources/quality/cartesio/pla/cartesio_0.8_pla_high.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.8_pla_high.inst.cfg index 6b57c0a06b..5339f3a6cd 100644 --- a/resources/quality/cartesio/pla/cartesio_0.8_pla_high.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.8_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pla/cartesio_0.8_pla_normal.inst.cfg b/resources/quality/cartesio/pla/cartesio_0.8_pla_normal.inst.cfg index cf8f1979a0..8be6d9cfe6 100644 --- a/resources/quality/cartesio/pla/cartesio_0.8_pla_normal.inst.cfg +++ b/resources/quality/cartesio/pla/cartesio_0.8_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pva/cartesio_0.25_pva_high.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.25_pva_high.inst.cfg index 34dd293908..c33dbbb1af 100644 --- a/resources/quality/cartesio/pva/cartesio_0.25_pva_high.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.25_pva_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pva/cartesio_0.25_pva_normal.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.25_pva_normal.inst.cfg index 3b6d872395..60579bc8ec 100644 --- a/resources/quality/cartesio/pva/cartesio_0.25_pva_normal.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.25_pva_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pva/cartesio_0.4_pva_high.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.4_pva_high.inst.cfg index 312d252ee5..4e72d5ee17 100644 --- a/resources/quality/cartesio/pva/cartesio_0.4_pva_high.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.4_pva_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pva/cartesio_0.4_pva_normal.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.4_pva_normal.inst.cfg index 6ed5fedad4..0ec3d98cb8 100644 --- a/resources/quality/cartesio/pva/cartesio_0.4_pva_normal.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.4_pva_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/cartesio/pva/cartesio_0.8_pva_coarse.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.8_pva_coarse.inst.cfg index 51985c13d1..f711ef7916 100644 --- a/resources/quality/cartesio/pva/cartesio_0.8_pva_coarse.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.8_pva_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/cartesio/pva/cartesio_0.8_pva_extra_coarse.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.8_pva_extra_coarse.inst.cfg index ae5880e0ab..7ed306adf2 100644 --- a/resources/quality/cartesio/pva/cartesio_0.8_pva_extra_coarse.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.8_pva_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 4 diff --git a/resources/quality/cartesio/pva/cartesio_0.8_pva_high.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.8_pva_high.inst.cfg index 575478e6d6..804460a331 100644 --- a/resources/quality/cartesio/pva/cartesio_0.8_pva_high.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.8_pva_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/cartesio/pva/cartesio_0.8_pva_normal.inst.cfg b/resources/quality/cartesio/pva/cartesio_0.8_pva_normal.inst.cfg index 5f977c6910..87023e2b7a 100644 --- a/resources/quality/cartesio/pva/cartesio_0.8_pva_normal.inst.cfg +++ b/resources/quality/cartesio/pva/cartesio_0.8_pva_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = cartesio [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/coarse.inst.cfg b/resources/quality/coarse.inst.cfg index 59d6302629..c3027a52a5 100644 --- a/resources/quality/coarse.inst.cfg +++ b/resources/quality/coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_coarse.inst.cfg b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_coarse.inst.cfg index 4eb6af453d..52d7d60f4d 100644 --- a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_coarse.inst.cfg +++ b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_abs diff --git a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_draft.inst.cfg b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_draft.inst.cfg index 0d506a10c2..d80c8377cf 100644 --- a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_draft.inst.cfg +++ b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_fine.inst.cfg b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_fine.inst.cfg index 7f278aee50..c450f4c35d 100644 --- a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_fine.inst.cfg +++ b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_normal.inst.cfg b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_normal.inst.cfg index e7216251fd..5d6bb279d1 100644 --- a/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_normal.inst.cfg +++ b/resources/quality/crazy3dprint/abs/crazy3dprint_0.40_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/crazy3dprint/crazy3dprint_global_0.10_fine.inst.cfg b/resources/quality/crazy3dprint/crazy3dprint_global_0.10_fine.inst.cfg index f3f3da2aec..83096ff6e3 100644 --- a/resources/quality/crazy3dprint/crazy3dprint_global_0.10_fine.inst.cfg +++ b/resources/quality/crazy3dprint/crazy3dprint_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/crazy3dprint/crazy3dprint_global_0.20_normal.inst.cfg b/resources/quality/crazy3dprint/crazy3dprint_global_0.20_normal.inst.cfg index 485c408e9e..a1ec5998b7 100644 --- a/resources/quality/crazy3dprint/crazy3dprint_global_0.20_normal.inst.cfg +++ b/resources/quality/crazy3dprint/crazy3dprint_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/crazy3dprint/crazy3dprint_global_0.30_draft.inst.cfg b/resources/quality/crazy3dprint/crazy3dprint_global_0.30_draft.inst.cfg index 64190d78cf..adf84d3a15 100644 --- a/resources/quality/crazy3dprint/crazy3dprint_global_0.30_draft.inst.cfg +++ b/resources/quality/crazy3dprint/crazy3dprint_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/crazy3dprint/crazy3dprint_global_0.40_coarse.inst.cfg b/resources/quality/crazy3dprint/crazy3dprint_global_0.40_coarse.inst.cfg index eb62ac048c..63b82073fa 100644 --- a/resources/quality/crazy3dprint/crazy3dprint_global_0.40_coarse.inst.cfg +++ b/resources/quality/crazy3dprint/crazy3dprint_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_coarse.inst.cfg b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_coarse.inst.cfg index 1430fc2470..433c621ec6 100644 --- a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_coarse.inst.cfg +++ b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_pla diff --git a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_draft.inst.cfg b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_draft.inst.cfg index b0c4df4dfb..0835097529 100644 --- a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_draft.inst.cfg +++ b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_fine.inst.cfg b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_fine.inst.cfg index 8f92e319cb..f0d4f0e861 100644 --- a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_fine.inst.cfg +++ b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_normal.inst.cfg b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_normal.inst.cfg index 2417a826fb..4ff5d23f36 100644 --- a/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_normal.inst.cfg +++ b/resources/quality/crazy3dprint/pla/crazy3dprint_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/creality/base/base_0.2_ABS_super.inst.cfg b/resources/quality/creality/base/base_0.2_ABS_super.inst.cfg index 14604e5bab..6d134de22f 100644 --- a/resources/quality/creality/base/base_0.2_ABS_super.inst.cfg +++ b/resources/quality/creality/base/base_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/creality/base/base_0.2_ABS_ultra.inst.cfg b/resources/quality/creality/base/base_0.2_ABS_ultra.inst.cfg index 5b65274125..bc45d39d50 100644 --- a/resources/quality/creality/base/base_0.2_ABS_ultra.inst.cfg +++ b/resources/quality/creality/base/base_0.2_ABS_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/creality/base/base_0.2_PETG_super.inst.cfg b/resources/quality/creality/base/base_0.2_PETG_super.inst.cfg index ac91434bb4..272d2ee2b1 100644 --- a/resources/quality/creality/base/base_0.2_PETG_super.inst.cfg +++ b/resources/quality/creality/base/base_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/creality/base/base_0.2_PETG_ultra.inst.cfg b/resources/quality/creality/base/base_0.2_PETG_ultra.inst.cfg index 8feb343f46..df28ee60ef 100644 --- a/resources/quality/creality/base/base_0.2_PETG_ultra.inst.cfg +++ b/resources/quality/creality/base/base_0.2_PETG_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/creality/base/base_0.2_PLA_super.inst.cfg b/resources/quality/creality/base/base_0.2_PLA_super.inst.cfg index f8b3307ee0..cf7f506e84 100644 --- a/resources/quality/creality/base/base_0.2_PLA_super.inst.cfg +++ b/resources/quality/creality/base/base_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/creality/base/base_0.2_PLA_ultra.inst.cfg b/resources/quality/creality/base/base_0.2_PLA_ultra.inst.cfg index 5dcb88b384..54e0528f7a 100644 --- a/resources/quality/creality/base/base_0.2_PLA_ultra.inst.cfg +++ b/resources/quality/creality/base/base_0.2_PLA_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/creality/base/base_0.3_ABS_adaptive.inst.cfg b/resources/quality/creality/base/base_0.3_ABS_adaptive.inst.cfg index 0f1b77793f..bded356b41 100644 --- a/resources/quality/creality/base/base_0.3_ABS_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.3_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/creality/base/base_0.3_ABS_low.inst.cfg b/resources/quality/creality/base/base_0.3_ABS_low.inst.cfg index 268859bd01..d456385ceb 100644 --- a/resources/quality/creality/base/base_0.3_ABS_low.inst.cfg +++ b/resources/quality/creality/base/base_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/creality/base/base_0.3_ABS_standard.inst.cfg b/resources/quality/creality/base/base_0.3_ABS_standard.inst.cfg index 2b11d69528..18f523b07f 100644 --- a/resources/quality/creality/base/base_0.3_ABS_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.3_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/creality/base/base_0.3_ABS_super.inst.cfg b/resources/quality/creality/base/base_0.3_ABS_super.inst.cfg index 5ecd38320a..865f5af912 100644 --- a/resources/quality/creality/base/base_0.3_ABS_super.inst.cfg +++ b/resources/quality/creality/base/base_0.3_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/creality/base/base_0.3_PETG_adaptive.inst.cfg b/resources/quality/creality/base/base_0.3_PETG_adaptive.inst.cfg index 241e9294bb..423110ccf8 100644 --- a/resources/quality/creality/base/base_0.3_PETG_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/creality/base/base_0.3_PETG_low.inst.cfg b/resources/quality/creality/base/base_0.3_PETG_low.inst.cfg index 30f79cb8e8..4ca3eb35a3 100644 --- a/resources/quality/creality/base/base_0.3_PETG_low.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/creality/base/base_0.3_PETG_standard.inst.cfg b/resources/quality/creality/base/base_0.3_PETG_standard.inst.cfg index 37869dd818..ec9df730b2 100644 --- a/resources/quality/creality/base/base_0.3_PETG_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/creality/base/base_0.3_PETG_super.inst.cfg b/resources/quality/creality/base/base_0.3_PETG_super.inst.cfg index 2fd59a2fa2..68dc546688 100644 --- a/resources/quality/creality/base/base_0.3_PETG_super.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/creality/base/base_0.3_PLA_adaptive.inst.cfg b/resources/quality/creality/base/base_0.3_PLA_adaptive.inst.cfg index 0aadf03642..5cb311f87d 100644 --- a/resources/quality/creality/base/base_0.3_PLA_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/creality/base/base_0.3_PLA_low.inst.cfg b/resources/quality/creality/base/base_0.3_PLA_low.inst.cfg index e2832f7d54..d0995dcb54 100644 --- a/resources/quality/creality/base/base_0.3_PLA_low.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/creality/base/base_0.3_PLA_standard.inst.cfg b/resources/quality/creality/base/base_0.3_PLA_standard.inst.cfg index 5f8ad8742f..4b1b92f37f 100644 --- a/resources/quality/creality/base/base_0.3_PLA_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/creality/base/base_0.3_PLA_super.inst.cfg b/resources/quality/creality/base/base_0.3_PLA_super.inst.cfg index c298612c50..808ffa596f 100644 --- a/resources/quality/creality/base/base_0.3_PLA_super.inst.cfg +++ b/resources/quality/creality/base/base_0.3_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/creality/base/base_0.3_TPU_adaptive.inst.cfg b/resources/quality/creality/base/base_0.3_TPU_adaptive.inst.cfg index 1a275afdd4..21cbb1a7c6 100644 --- a/resources/quality/creality/base/base_0.3_TPU_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.3_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/creality/base/base_0.3_TPU_standard.inst.cfg b/resources/quality/creality/base/base_0.3_TPU_standard.inst.cfg index f2c076cf22..be2b8f0c25 100644 --- a/resources/quality/creality/base/base_0.3_TPU_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.3_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/creality/base/base_0.3_TPU_super.inst.cfg b/resources/quality/creality/base/base_0.3_TPU_super.inst.cfg index 4b52f0389d..952d31ca46 100644 --- a/resources/quality/creality/base/base_0.3_TPU_super.inst.cfg +++ b/resources/quality/creality/base/base_0.3_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/creality/base/base_0.4_ABS_adaptive.inst.cfg b/resources/quality/creality/base/base_0.4_ABS_adaptive.inst.cfg index bb173778b2..90206c5fc3 100644 --- a/resources/quality/creality/base/base_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/creality/base/base_0.4_ABS_low.inst.cfg b/resources/quality/creality/base/base_0.4_ABS_low.inst.cfg index b067f24a24..0185782178 100644 --- a/resources/quality/creality/base/base_0.4_ABS_low.inst.cfg +++ b/resources/quality/creality/base/base_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/creality/base/base_0.4_ABS_standard.inst.cfg b/resources/quality/creality/base/base_0.4_ABS_standard.inst.cfg index 4335434168..b827fb4b58 100644 --- a/resources/quality/creality/base/base_0.4_ABS_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/creality/base/base_0.4_ABS_super.inst.cfg b/resources/quality/creality/base/base_0.4_ABS_super.inst.cfg index 103e120a23..4fea6b065a 100644 --- a/resources/quality/creality/base/base_0.4_ABS_super.inst.cfg +++ b/resources/quality/creality/base/base_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/creality/base/base_0.4_PETG_adaptive.inst.cfg b/resources/quality/creality/base/base_0.4_PETG_adaptive.inst.cfg index b311978200..ce1a1f4312 100644 --- a/resources/quality/creality/base/base_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/creality/base/base_0.4_PETG_low.inst.cfg b/resources/quality/creality/base/base_0.4_PETG_low.inst.cfg index fef8f5af79..522c538dfd 100644 --- a/resources/quality/creality/base/base_0.4_PETG_low.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/creality/base/base_0.4_PETG_standard.inst.cfg b/resources/quality/creality/base/base_0.4_PETG_standard.inst.cfg index 94d7525b56..849fa0895d 100644 --- a/resources/quality/creality/base/base_0.4_PETG_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/creality/base/base_0.4_PETG_super.inst.cfg b/resources/quality/creality/base/base_0.4_PETG_super.inst.cfg index 68f10a46de..c08743f459 100644 --- a/resources/quality/creality/base/base_0.4_PETG_super.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/creality/base/base_0.4_PLA_adaptive.inst.cfg b/resources/quality/creality/base/base_0.4_PLA_adaptive.inst.cfg index 3b635799f2..e1f44386c3 100644 --- a/resources/quality/creality/base/base_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/creality/base/base_0.4_PLA_low.inst.cfg b/resources/quality/creality/base/base_0.4_PLA_low.inst.cfg index e7287cd0e2..8fba6106b9 100644 --- a/resources/quality/creality/base/base_0.4_PLA_low.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/creality/base/base_0.4_PLA_standard.inst.cfg b/resources/quality/creality/base/base_0.4_PLA_standard.inst.cfg index 3fba20449b..48227007fa 100644 --- a/resources/quality/creality/base/base_0.4_PLA_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/creality/base/base_0.4_PLA_super.inst.cfg b/resources/quality/creality/base/base_0.4_PLA_super.inst.cfg index 74677e1ca8..b9800f0ce3 100644 --- a/resources/quality/creality/base/base_0.4_PLA_super.inst.cfg +++ b/resources/quality/creality/base/base_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/creality/base/base_0.4_TPU_adaptive.inst.cfg b/resources/quality/creality/base/base_0.4_TPU_adaptive.inst.cfg index ac485b96dc..638500c635 100644 --- a/resources/quality/creality/base/base_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/creality/base/base_0.4_TPU_standard.inst.cfg b/resources/quality/creality/base/base_0.4_TPU_standard.inst.cfg index fd8b6ca5f0..fd83e0e039 100644 --- a/resources/quality/creality/base/base_0.4_TPU_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/creality/base/base_0.4_TPU_super.inst.cfg b/resources/quality/creality/base/base_0.4_TPU_super.inst.cfg index 482dfc9e3c..7f7eeb8532 100644 --- a/resources/quality/creality/base/base_0.4_TPU_super.inst.cfg +++ b/resources/quality/creality/base/base_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/creality/base/base_0.5_ABS_adaptive.inst.cfg b/resources/quality/creality/base/base_0.5_ABS_adaptive.inst.cfg index 9517533d74..545146adda 100644 --- a/resources/quality/creality/base/base_0.5_ABS_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.5_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/creality/base/base_0.5_ABS_low.inst.cfg b/resources/quality/creality/base/base_0.5_ABS_low.inst.cfg index 2473176218..ecb5aff337 100644 --- a/resources/quality/creality/base/base_0.5_ABS_low.inst.cfg +++ b/resources/quality/creality/base/base_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/creality/base/base_0.5_ABS_standard.inst.cfg b/resources/quality/creality/base/base_0.5_ABS_standard.inst.cfg index 5e2b03f36e..513224946d 100644 --- a/resources/quality/creality/base/base_0.5_ABS_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.5_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/creality/base/base_0.5_ABS_super.inst.cfg b/resources/quality/creality/base/base_0.5_ABS_super.inst.cfg index 2b20d172d9..539bacec6b 100644 --- a/resources/quality/creality/base/base_0.5_ABS_super.inst.cfg +++ b/resources/quality/creality/base/base_0.5_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/creality/base/base_0.5_PETG_adaptive.inst.cfg b/resources/quality/creality/base/base_0.5_PETG_adaptive.inst.cfg index 5e6974f258..464f9543ab 100644 --- a/resources/quality/creality/base/base_0.5_PETG_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/creality/base/base_0.5_PETG_low.inst.cfg b/resources/quality/creality/base/base_0.5_PETG_low.inst.cfg index 220fbcc823..0eed820dc8 100644 --- a/resources/quality/creality/base/base_0.5_PETG_low.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/creality/base/base_0.5_PETG_standard.inst.cfg b/resources/quality/creality/base/base_0.5_PETG_standard.inst.cfg index 156b123696..eb73ff7790 100644 --- a/resources/quality/creality/base/base_0.5_PETG_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/creality/base/base_0.5_PETG_super.inst.cfg b/resources/quality/creality/base/base_0.5_PETG_super.inst.cfg index 76f086c687..131ef8fc04 100644 --- a/resources/quality/creality/base/base_0.5_PETG_super.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/creality/base/base_0.5_PLA_adaptive.inst.cfg b/resources/quality/creality/base/base_0.5_PLA_adaptive.inst.cfg index 874f8cdcae..3c2ed58a61 100644 --- a/resources/quality/creality/base/base_0.5_PLA_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/creality/base/base_0.5_PLA_low.inst.cfg b/resources/quality/creality/base/base_0.5_PLA_low.inst.cfg index c0fa020542..de50b053ff 100644 --- a/resources/quality/creality/base/base_0.5_PLA_low.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/creality/base/base_0.5_PLA_standard.inst.cfg b/resources/quality/creality/base/base_0.5_PLA_standard.inst.cfg index cf6a7973b9..d8165d46a3 100644 --- a/resources/quality/creality/base/base_0.5_PLA_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/creality/base/base_0.5_PLA_super.inst.cfg b/resources/quality/creality/base/base_0.5_PLA_super.inst.cfg index ed424c83f2..0a3450b1d6 100644 --- a/resources/quality/creality/base/base_0.5_PLA_super.inst.cfg +++ b/resources/quality/creality/base/base_0.5_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/creality/base/base_0.5_TPU_adaptive.inst.cfg b/resources/quality/creality/base/base_0.5_TPU_adaptive.inst.cfg index b4cb8f8e86..c60326d8be 100644 --- a/resources/quality/creality/base/base_0.5_TPU_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_0.5_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/creality/base/base_0.5_TPU_standard.inst.cfg b/resources/quality/creality/base/base_0.5_TPU_standard.inst.cfg index e26254893e..7c68b51c0e 100644 --- a/resources/quality/creality/base/base_0.5_TPU_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.5_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/creality/base/base_0.5_TPU_super.inst.cfg b/resources/quality/creality/base/base_0.5_TPU_super.inst.cfg index 1c9aa812b4..b27001f769 100644 --- a/resources/quality/creality/base/base_0.5_TPU_super.inst.cfg +++ b/resources/quality/creality/base/base_0.5_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/creality/base/base_0.6_ABS_standard.inst.cfg b/resources/quality/creality/base/base_0.6_ABS_standard.inst.cfg index 96c995a494..c43316bde8 100644 --- a/resources/quality/creality/base/base_0.6_ABS_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.6_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/creality/base/base_0.6_PETG_standard.inst.cfg b/resources/quality/creality/base/base_0.6_PETG_standard.inst.cfg index 49a0f134c1..a299e789ae 100644 --- a/resources/quality/creality/base/base_0.6_PETG_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.6_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/creality/base/base_0.6_PLA_draft.inst.cfg b/resources/quality/creality/base/base_0.6_PLA_draft.inst.cfg index 288a7f9009..4273fed00e 100644 --- a/resources/quality/creality/base/base_0.6_PLA_draft.inst.cfg +++ b/resources/quality/creality/base/base_0.6_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/creality/base/base_0.6_PLA_low.inst.cfg b/resources/quality/creality/base/base_0.6_PLA_low.inst.cfg index 428b0c5d89..a18dfb5a5e 100644 --- a/resources/quality/creality/base/base_0.6_PLA_low.inst.cfg +++ b/resources/quality/creality/base/base_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/creality/base/base_0.6_PLA_standard.inst.cfg b/resources/quality/creality/base/base_0.6_PLA_standard.inst.cfg index e2f9e182af..6dae90a371 100644 --- a/resources/quality/creality/base/base_0.6_PLA_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.6_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/creality/base/base_0.6_TPU_standard.inst.cfg b/resources/quality/creality/base/base_0.6_TPU_standard.inst.cfg index 0537f5d8d0..9b0ec8d7e6 100644 --- a/resources/quality/creality/base/base_0.6_TPU_standard.inst.cfg +++ b/resources/quality/creality/base/base_0.6_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/creality/base/base_0.8_ABS_draft.inst.cfg b/resources/quality/creality/base/base_0.8_ABS_draft.inst.cfg index cb27fdc1e3..e8b5485446 100644 --- a/resources/quality/creality/base/base_0.8_ABS_draft.inst.cfg +++ b/resources/quality/creality/base/base_0.8_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/creality/base/base_0.8_PETG_draft.inst.cfg b/resources/quality/creality/base/base_0.8_PETG_draft.inst.cfg index 05e7fae2b0..cf445709b7 100644 --- a/resources/quality/creality/base/base_0.8_PETG_draft.inst.cfg +++ b/resources/quality/creality/base/base_0.8_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/creality/base/base_0.8_PLA_draft.inst.cfg b/resources/quality/creality/base/base_0.8_PLA_draft.inst.cfg index f794ec1572..71318b20c6 100644 --- a/resources/quality/creality/base/base_0.8_PLA_draft.inst.cfg +++ b/resources/quality/creality/base/base_0.8_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/creality/base/base_0.8_TPU_draft.inst.cfg b/resources/quality/creality/base/base_0.8_TPU_draft.inst.cfg index cc4cc6c6b4..9e75a31bc0 100644 --- a/resources/quality/creality/base/base_0.8_TPU_draft.inst.cfg +++ b/resources/quality/creality/base/base_0.8_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/creality/base/base_1.0_ABS_draft.inst.cfg b/resources/quality/creality/base/base_1.0_ABS_draft.inst.cfg index 80f75feb0d..d7f2852d72 100644 --- a/resources/quality/creality/base/base_1.0_ABS_draft.inst.cfg +++ b/resources/quality/creality/base/base_1.0_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/creality/base/base_1.0_PETG_draft.inst.cfg b/resources/quality/creality/base/base_1.0_PETG_draft.inst.cfg index 3032542e6c..330b30f76d 100644 --- a/resources/quality/creality/base/base_1.0_PETG_draft.inst.cfg +++ b/resources/quality/creality/base/base_1.0_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/creality/base/base_1.0_PLA_draft.inst.cfg b/resources/quality/creality/base/base_1.0_PLA_draft.inst.cfg index e2e5a877cb..5a52e4e141 100644 --- a/resources/quality/creality/base/base_1.0_PLA_draft.inst.cfg +++ b/resources/quality/creality/base/base_1.0_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/creality/base/base_1.0_TPU_draft.inst.cfg b/resources/quality/creality/base/base_1.0_TPU_draft.inst.cfg index a23c283705..c7d34cd6bf 100644 --- a/resources/quality/creality/base/base_1.0_TPU_draft.inst.cfg +++ b/resources/quality/creality/base/base_1.0_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/creality/base/base_global_adaptive.inst.cfg b/resources/quality/creality/base/base_global_adaptive.inst.cfg index 25ef513664..5c4a7cb131 100644 --- a/resources/quality/creality/base/base_global_adaptive.inst.cfg +++ b/resources/quality/creality/base/base_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/creality/base/base_global_draft.inst.cfg b/resources/quality/creality/base/base_global_draft.inst.cfg index 131d9be352..082a3cf587 100644 --- a/resources/quality/creality/base/base_global_draft.inst.cfg +++ b/resources/quality/creality/base/base_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/creality/base/base_global_low.inst.cfg b/resources/quality/creality/base/base_global_low.inst.cfg index 7c2cb198b8..2a298f6d27 100644 --- a/resources/quality/creality/base/base_global_low.inst.cfg +++ b/resources/quality/creality/base/base_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/creality/base/base_global_standard.inst.cfg b/resources/quality/creality/base/base_global_standard.inst.cfg index c93d158df7..358a9e6e09 100644 --- a/resources/quality/creality/base/base_global_standard.inst.cfg +++ b/resources/quality/creality/base/base_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/creality/base/base_global_super.inst.cfg b/resources/quality/creality/base/base_global_super.inst.cfg index 8de1f5c921..7de19c4b9c 100644 --- a/resources/quality/creality/base/base_global_super.inst.cfg +++ b/resources/quality/creality/base/base_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/creality/base/base_global_ultra.inst.cfg b/resources/quality/creality/base/base_global_ultra.inst.cfg index 3d493a3ee2..0c62c22e1e 100644 --- a/resources/quality/creality/base/base_global_ultra.inst.cfg +++ b/resources/quality/creality/base/base_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fast.inst.cfg b/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fast.inst.cfg index e981d28586..d1609da2d1 100644 --- a/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fast.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = dagoma_discoeasy200_bicolor [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fine.inst.cfg b/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fine.inst.cfg index ef6edcc8fb..6a98089a77 100644 --- a/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fine.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = dagoma_discoeasy200_bicolor [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_standard.inst.cfg b/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_standard.inst.cfg index 7d2b338ccb..85344a3be1 100644 --- a/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_standard.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoeasy200_bicolor_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = dagoma_discoeasy200_bicolor [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/dagoma/dagoma_discoeasy200_pla_fast.inst.cfg b/resources/quality/dagoma/dagoma_discoeasy200_pla_fast.inst.cfg index 0fb5bb4fdc..718fac598e 100644 --- a/resources/quality/dagoma/dagoma_discoeasy200_pla_fast.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoeasy200_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = dagoma_discoeasy200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/dagoma/dagoma_discoeasy200_pla_fine.inst.cfg b/resources/quality/dagoma/dagoma_discoeasy200_pla_fine.inst.cfg index ae911d87d8..b7c7a7a459 100644 --- a/resources/quality/dagoma/dagoma_discoeasy200_pla_fine.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoeasy200_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = dagoma_discoeasy200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/dagoma/dagoma_discoeasy200_pla_standard.inst.cfg b/resources/quality/dagoma/dagoma_discoeasy200_pla_standard.inst.cfg index 4f9a219ec5..028f3d9dc1 100644 --- a/resources/quality/dagoma/dagoma_discoeasy200_pla_standard.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoeasy200_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = dagoma_discoeasy200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fast.inst.cfg b/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fast.inst.cfg index b6e616bdac..df1e4b84d6 100644 --- a/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fast.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = dagoma_discoultimate_bicolor [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fine.inst.cfg b/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fine.inst.cfg index 7e69474e68..dd370f097b 100644 --- a/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fine.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = dagoma_discoultimate_bicolor [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_standard.inst.cfg b/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_standard.inst.cfg index ad3162dcfb..2a607e533d 100644 --- a/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_standard.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoultimate_bicolor_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = dagoma_discoultimate_bicolor [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/dagoma/dagoma_discoultimate_pla_fast.inst.cfg b/resources/quality/dagoma/dagoma_discoultimate_pla_fast.inst.cfg index 21651d26cd..d7895fe1a0 100644 --- a/resources/quality/dagoma/dagoma_discoultimate_pla_fast.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoultimate_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = dagoma_discoultimate [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/dagoma/dagoma_discoultimate_pla_fine.inst.cfg b/resources/quality/dagoma/dagoma_discoultimate_pla_fine.inst.cfg index 608ab12332..c0d1afca86 100644 --- a/resources/quality/dagoma/dagoma_discoultimate_pla_fine.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoultimate_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = dagoma_discoultimate [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/dagoma/dagoma_discoultimate_pla_standard.inst.cfg b/resources/quality/dagoma/dagoma_discoultimate_pla_standard.inst.cfg index 4683c0ca47..76fbf90a3c 100644 --- a/resources/quality/dagoma/dagoma_discoultimate_pla_standard.inst.cfg +++ b/resources/quality/dagoma/dagoma_discoultimate_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = dagoma_discoultimate [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/dagoma/dagoma_magis_pla_fast.inst.cfg b/resources/quality/dagoma/dagoma_magis_pla_fast.inst.cfg index 2b5f910b5e..561cd81c4d 100644 --- a/resources/quality/dagoma/dagoma_magis_pla_fast.inst.cfg +++ b/resources/quality/dagoma/dagoma_magis_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = dagoma_magis [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/dagoma/dagoma_magis_pla_fine.inst.cfg b/resources/quality/dagoma/dagoma_magis_pla_fine.inst.cfg index ab784193a2..4d885c2061 100644 --- a/resources/quality/dagoma/dagoma_magis_pla_fine.inst.cfg +++ b/resources/quality/dagoma/dagoma_magis_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = dagoma_magis [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/dagoma/dagoma_magis_pla_standard.inst.cfg b/resources/quality/dagoma/dagoma_magis_pla_standard.inst.cfg index 957cf4a64d..e9773f87e8 100644 --- a/resources/quality/dagoma/dagoma_magis_pla_standard.inst.cfg +++ b/resources/quality/dagoma/dagoma_magis_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = dagoma_magis [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/dagoma/dagoma_neva_pla_fast.inst.cfg b/resources/quality/dagoma/dagoma_neva_pla_fast.inst.cfg index 4282560752..1c6506292d 100644 --- a/resources/quality/dagoma/dagoma_neva_pla_fast.inst.cfg +++ b/resources/quality/dagoma/dagoma_neva_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = dagoma_neva [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/dagoma/dagoma_neva_pla_fine.inst.cfg b/resources/quality/dagoma/dagoma_neva_pla_fine.inst.cfg index b2f233a35c..f6c574a009 100644 --- a/resources/quality/dagoma/dagoma_neva_pla_fine.inst.cfg +++ b/resources/quality/dagoma/dagoma_neva_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = dagoma_neva [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/dagoma/dagoma_neva_pla_standard.inst.cfg b/resources/quality/dagoma/dagoma_neva_pla_standard.inst.cfg index a64a291b6b..da1c58f83d 100644 --- a/resources/quality/dagoma/dagoma_neva_pla_standard.inst.cfg +++ b/resources/quality/dagoma/dagoma_neva_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = dagoma_neva [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_A.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_A.inst.cfg index 9a0b35c9ba..46bfac5a92 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_A.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_B.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_B.inst.cfg index df7cc7546c..73112be4a9 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_B.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_C.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_C.inst.cfg index 63a43322a3..7d1435ff30 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_C.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.25_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_A.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_A.inst.cfg index 8a3a71ad64..c9852be1ce 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_A.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_B.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_B.inst.cfg index b4a0daa7a2..2a00de77e7 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_B.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_C.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_C.inst.cfg index bb940835ba..444c9a097b 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_C.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_D.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_D.inst.cfg index 4314ad988b..123d195593 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_D.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_E.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_E.inst.cfg index c6ba50162b..f7b35c05a7 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_E.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.40_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_C.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_C.inst.cfg index e3a3800edd..a9f5f60b0a 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_C.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_D.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_D.inst.cfg index a4de60c45b..270f78a7bd 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_D.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_E.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_E.inst.cfg index a59c40b0e1..85d4f20682 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_E.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_F.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_F.inst.cfg index 75cbf4f301..7c455b5643 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_F.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_DBE0.60_ABS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_A.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_A.inst.cfg index 2a85a7be69..0c8ec58702 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_A.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_B.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_B.inst.cfg index dd734e018f..9816c3faad 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_B.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_C.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_C.inst.cfg index cf75514f69..716273e7ce 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_C.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.25_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_A.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_A.inst.cfg index 51cc8e72cf..977eedd2ac 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_A.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_B.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_B.inst.cfg index 3ab137369b..fd911c65b0 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_B.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_C.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_C.inst.cfg index 639a6f6cc6..f1cac86274 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_C.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_D.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_D.inst.cfg index 6e089a2cd5..5cd11db079 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_D.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_E.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_E.inst.cfg index a44306d036..2554ad3944 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_E.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.40_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_C.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_C.inst.cfg index 8f263debd3..296b4c3457 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_C.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_D.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_D.inst.cfg index d65b2a460b..e9e38003df 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_D.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_E.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_E.inst.cfg index 7c1def033a..e25d659ba4 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_E.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_F.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_F.inst.cfg index 6ea4c10017..88ea1264df 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_F.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_FBE0.60_ABS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_D.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_D.inst.cfg index 243dd9f43c..837dfbf0b9 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_D.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_E.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_E.inst.cfg index f0bcbc03b9..9c03fc9878 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_E.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_F.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_F.inst.cfg index d527be94a7..20ba238eef 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_F.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_G.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_G.inst.cfg index aa57f58a09..f9a9e799c9 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_G.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VDBE0.80_ABS_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_D.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_D.inst.cfg index 5691fc373c..17ad5e7846 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_D.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_E.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_E.inst.cfg index d116f795e5..7f1ac2069b 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_E.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_F.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_F.inst.cfg index 07264af8b7..97a3d25fff 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_F.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_abs diff --git a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_G.inst.cfg b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_G.inst.cfg index c3dcd152ae..19624e50cf 100755 --- a/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_G.inst.cfg +++ b/resources/quality/deltacomb/ABS/deltacomb_VFBE0.80_ABS_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 material = generic_abs diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_A.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_A.inst.cfg index 6893472559..22bfcca5e1 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_A.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_B.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_B.inst.cfg index 5dbdb30726..e0b7665c74 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_B.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_C.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_C.inst.cfg index a7d3d00843..686f39594d 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_C.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_D.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_D.inst.cfg index 3c616ae553..4ad2b5e2a3 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_D.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_E.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_E.inst.cfg index 93ca4a747e..57559b5718 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_E.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.40_PETG_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_C.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_C.inst.cfg index 1c639a945a..49186b3ffd 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_C.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_D.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_D.inst.cfg index 40ae3d02eb..eade02fa48 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_D.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_E.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_E.inst.cfg index 3c6f31551e..15dc8be328 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_E.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_F.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_F.inst.cfg index a86a093ef1..34eb97a899 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_F.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_DBE0.60_PETG_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_A.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_A.inst.cfg index 6ab862ed19..0497c6a4dd 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_A.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_B.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_B.inst.cfg index 612c1a3705..46d42aa882 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_B.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_C.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_C.inst.cfg index fcc81ab78f..b177c95712 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_C.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_D.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_D.inst.cfg index 04fe704709..beab7774ef 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_D.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_E.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_E.inst.cfg index 69038692ef..73d2cf4a5f 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_E.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.40_PETG_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_C.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_C.inst.cfg index 56d799a1a1..5f96454826 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_C.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_D.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_D.inst.cfg index 21f97f79e0..c67a6a718b 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_D.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_E.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_E.inst.cfg index 5c6363dc3a..4bac5c99eb 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_E.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_petg diff --git a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_F.inst.cfg b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_F.inst.cfg index 9662f87f10..c7bb3c170f 100644 --- a/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_F.inst.cfg +++ b/resources/quality/deltacomb/PETG/deltacomb_FBE0.60_PETG_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_petg diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_A.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_A.inst.cfg index 190b4d8f1a..d017063491 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_A.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_B.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_B.inst.cfg index ac1f80887e..46e1ab6b98 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_B.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_C.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_C.inst.cfg index 23333d8d8c..0ddadc4d94 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_C.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.25_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_A.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_A.inst.cfg index 64752eb261..c4fd23106f 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_A.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_B.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_B.inst.cfg index 6937835a60..103a165b64 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_B.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_C.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_C.inst.cfg index 1ba93e4759..34dc03f70f 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_C.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_D.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_D.inst.cfg index cb26386d64..24a62e56a0 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_D.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_E.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_E.inst.cfg index 8d4b4b52c1..6a433e5d9a 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_E.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.40_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_C.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_C.inst.cfg index 561aa69fc4..10290a973f 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_C.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_D.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_D.inst.cfg index 4e2c2747f5..9cd0c08f83 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_D.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_E.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_E.inst.cfg index e4baa49213..dbd9676d6c 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_E.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_F.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_F.inst.cfg index 50bb75e4df..936889a218 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_F.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_DBE0.60_PLA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_A.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_A.inst.cfg index a2b6ab1120..f599f946cf 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_A.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_B.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_B.inst.cfg index f028de7f59..cdfedf1c9d 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_B.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_C.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_C.inst.cfg index 407acd9f6d..b77cf87ddc 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_C.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.25_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_A.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_A.inst.cfg index 48bcfcf1b8..5a8bf5eaf6 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_A.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_B.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_B.inst.cfg index ad9ab5361f..6220e5aa8b 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_B.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_C.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_C.inst.cfg index 005da46f41..2fc3240217 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_C.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_D.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_D.inst.cfg index 6be10b401c..e0a03c9c9c 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_D.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_E.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_E.inst.cfg index 13451ea8dd..3c73238099 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_E.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.40_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_C.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_C.inst.cfg index 85fb66e561..1cae631ca8 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_C.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_D.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_D.inst.cfg index 8ed4518caf..0f12ed5530 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_D.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_E.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_E.inst.cfg index 93884d513b..eef841e29a 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_E.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_F.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_F.inst.cfg index 217eac1b11..4e304f480e 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_F.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_FBE0.60_PLA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_D.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_D.inst.cfg index a369b3e0af..12a36226cf 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_D.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_E.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_E.inst.cfg index fd0e10c95a..9f6fbe9f72 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_E.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_F.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_F.inst.cfg index 61a3a0212f..da2b9cf37a 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_F.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_G.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_G.inst.cfg index 9d83ab0df9..bf63f90f7b 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_G.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VDBE0.80_PLA_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_D.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_D.inst.cfg index 04d2baa0d4..9f10b849b5 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_D.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_E.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_E.inst.cfg index 2a2157d623..a121263db3 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_E.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_F.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_F.inst.cfg index 7ae22d42f0..3eb6b717ac 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_F.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pla diff --git a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_G.inst.cfg b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_G.inst.cfg index f90a45f192..01c97bd882 100755 --- a/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_G.inst.cfg +++ b/resources/quality/deltacomb/PLA/deltacomb_VFBE0.80_PLA_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 material = generic_pla diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_A.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_A.inst.cfg index ea36126711..90f0e4f379 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_A.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_B.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_B.inst.cfg index 347bdc8354..eaf58ec8cc 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_B.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_C.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_C.inst.cfg index 8209fb83d4..7e3eaa7b0d 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_C.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_D.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_D.inst.cfg index 98251a9608..d302b9abe3 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_D.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_E.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_E.inst.cfg index f1d81882dc..febdeca4be 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_E.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.40_PVA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_C.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_C.inst.cfg index 06f186674b..8010f14d67 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_C.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_D.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_D.inst.cfg index 7cec8fffac..de0fd45aa9 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_D.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_E.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_E.inst.cfg index 7eb6156c2a..c9459abde2 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_E.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_F.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_F.inst.cfg index a2b8cd84d0..652081649b 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_F.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_DBE0.60_PVA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_A.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_A.inst.cfg index 61cf776226..70d01efa4a 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_A.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_B.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_B.inst.cfg index 4385b2ecee..0a2b16ffa9 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_B.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_C.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_C.inst.cfg index 5613bbd6e7..aa086fb3f7 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_C.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_D.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_D.inst.cfg index 21f3fb8424..442846d73e 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_D.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_E.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_E.inst.cfg index b518d525ca..49c6b0126d 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_E.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.40_PVA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_C.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_C.inst.cfg index bc048e4799..e75ddc531e 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_C.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_D.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_D.inst.cfg index fd4ea7d455..b5f5495d4c 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_D.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_E.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_E.inst.cfg index e78e3a0514..26cbb0403a 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_E.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_F.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_F.inst.cfg index b258b9dc41..a3d96133d0 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_F.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_FBE0.60_PVA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_D.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_D.inst.cfg index 1c1a5a52cd..c50dd6b7fa 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_D.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_E.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_E.inst.cfg index 8d8db9387c..9db3da9caa 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_E.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_F.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_F.inst.cfg index ff64b67efc..bde7f81350 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_F.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_G.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_G.inst.cfg index 8550efebb6..ba60349377 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_G.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VDBE0.80_PVA_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_D.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_D.inst.cfg index b3385d3cbf..1f0957fbd9 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_D.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_E.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_E.inst.cfg index d2c2daf205..0c9421a8d5 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_E.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_F.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_F.inst.cfg index 3d70266b8d..08de539d9d 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_F.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 material = generic_pva diff --git a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_G.inst.cfg b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_G.inst.cfg index a854364a17..f2516783fb 100644 --- a/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_G.inst.cfg +++ b/resources/quality/deltacomb/PVA/deltacomb_VFBE0.80_PVA_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 material = generic_pva diff --git a/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_B.inst.cfg b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_B.inst.cfg index 3f42fd6338..57ab0e78dc 100644 --- a/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_B.inst.cfg +++ b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_tpu diff --git a/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_C.inst.cfg b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_C.inst.cfg index 0f1841395c..b3c7c53cd7 100644 --- a/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_C.inst.cfg +++ b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_tpu diff --git a/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_D.inst.cfg b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_D.inst.cfg index d995d7cc26..1c64c06d7c 100644 --- a/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_D.inst.cfg +++ b/resources/quality/deltacomb/TPU/deltacomb_DBE0.40_TPU_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_tpu diff --git a/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_B.inst.cfg b/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_B.inst.cfg index 11c19cf830..3d58033a34 100755 --- a/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_B.inst.cfg +++ b/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 material = generic_tpu diff --git a/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_C.inst.cfg b/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_C.inst.cfg index b531dbb3f9..faa02ccfee 100755 --- a/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_C.inst.cfg +++ b/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 material = generic_tpu diff --git a/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_D.inst.cfg b/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_D.inst.cfg index 03fda654f7..4a736832ff 100755 --- a/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_D.inst.cfg +++ b/resources/quality/deltacomb/TPU/deltacomb_FBE0.40_TPU_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 material = generic_tpu diff --git a/resources/quality/deltacomb/deltacomb_global_A.inst.cfg b/resources/quality/deltacomb/deltacomb_global_A.inst.cfg index 49a94d3956..563007b37f 100755 --- a/resources/quality/deltacomb/deltacomb_global_A.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_A.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D005 weight = 1 diff --git a/resources/quality/deltacomb/deltacomb_global_B.inst.cfg b/resources/quality/deltacomb/deltacomb_global_B.inst.cfg index a1c558478c..f6a345a2b5 100755 --- a/resources/quality/deltacomb/deltacomb_global_B.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_B.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D010 weight = 0 diff --git a/resources/quality/deltacomb/deltacomb_global_C.inst.cfg b/resources/quality/deltacomb/deltacomb_global_C.inst.cfg index 58280d863a..0765dbdcd9 100755 --- a/resources/quality/deltacomb/deltacomb_global_C.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_C.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D015 weight = -1 diff --git a/resources/quality/deltacomb/deltacomb_global_D.inst.cfg b/resources/quality/deltacomb/deltacomb_global_D.inst.cfg index c88031a066..9f39999647 100755 --- a/resources/quality/deltacomb/deltacomb_global_D.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_D.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D020 weight = -2 diff --git a/resources/quality/deltacomb/deltacomb_global_E.inst.cfg b/resources/quality/deltacomb/deltacomb_global_E.inst.cfg index b63f84062a..886787259a 100755 --- a/resources/quality/deltacomb/deltacomb_global_E.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_E.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D030 weight = -3 diff --git a/resources/quality/deltacomb/deltacomb_global_F.inst.cfg b/resources/quality/deltacomb/deltacomb_global_F.inst.cfg index 238c32b700..9f83e06db8 100755 --- a/resources/quality/deltacomb/deltacomb_global_F.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_F.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D045 weight = -4 diff --git a/resources/quality/deltacomb/deltacomb_global_G.inst.cfg b/resources/quality/deltacomb/deltacomb_global_G.inst.cfg index 78ff92ec9c..b934659fc0 100755 --- a/resources/quality/deltacomb/deltacomb_global_G.inst.cfg +++ b/resources/quality/deltacomb/deltacomb_global_G.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = deltacomb_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = D060 weight = -5 diff --git a/resources/quality/diy220/diy220_draft.inst.cfg b/resources/quality/diy220/diy220_draft.inst.cfg index e5e0aaa2b9..4f76d5fb21 100644 --- a/resources/quality/diy220/diy220_draft.inst.cfg +++ b/resources/quality/diy220/diy220_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/diy220/diy220_fast.inst.cfg b/resources/quality/diy220/diy220_fast.inst.cfg index c02c066ad6..5d5744ea3a 100644 --- a/resources/quality/diy220/diy220_fast.inst.cfg +++ b/resources/quality/diy220/diy220_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/diy220/diy220_high.inst.cfg b/resources/quality/diy220/diy220_high.inst.cfg index 1bc0d886f2..66b89a6130 100644 --- a/resources/quality/diy220/diy220_high.inst.cfg +++ b/resources/quality/diy220/diy220_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/diy220/diy220_normal.inst.cfg b/resources/quality/diy220/diy220_normal.inst.cfg index 122e2d4d50..f1d2a6f621 100644 --- a/resources/quality/diy220/diy220_normal.inst.cfg +++ b/resources/quality/diy220/diy220_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/draft.inst.cfg b/resources/quality/draft.inst.cfg index 0ea1ba0d84..40ecca8aea 100644 --- a/resources/quality/draft.inst.cfg +++ b/resources/quality/draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/eryone_er20/eryone_er20_draft.inst.cfg b/resources/quality/eryone_er20/eryone_er20_draft.inst.cfg index b5ff41f3e2..c40ba65456 100644 --- a/resources/quality/eryone_er20/eryone_er20_draft.inst.cfg +++ b/resources/quality/eryone_er20/eryone_er20_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = eryone_er20 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/eryone_er20/eryone_er20_high.inst.cfg b/resources/quality/eryone_er20/eryone_er20_high.inst.cfg index a66917c4cc..2a11587e0c 100644 --- a/resources/quality/eryone_er20/eryone_er20_high.inst.cfg +++ b/resources/quality/eryone_er20/eryone_er20_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = eryone_er20 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/eryone_er20/eryone_er20_normal.inst.cfg b/resources/quality/eryone_er20/eryone_er20_normal.inst.cfg index b6c521bfd9..7ecb7307c9 100644 --- a/resources/quality/eryone_er20/eryone_er20_normal.inst.cfg +++ b/resources/quality/eryone_er20/eryone_er20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = eryone_er20 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/eryone_thinker/eryone_thinker_extra_fast.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_extra_fast.inst.cfg index 85386d156b..4ebf2f56df 100644 --- a/resources/quality/eryone_thinker/eryone_thinker_extra_fast.inst.cfg +++ b/resources/quality/eryone_thinker/eryone_thinker_extra_fast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = eryone_thinker [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 @@ -16,13 +16,6 @@ acceleration_travel = 3000 infill_sparse_density = 10 initial_layer_line_width_factor = 100.0 layer_height = 0.3 -layer_height_0 = =layer_height -material_bed_temperature = =default_material_bed_temperature -material_bed_temperature_layer_0 = =material_bed_temperature -material_final_print_temperature = =material_print_temperature -material_initial_print_temperature = =material_print_temperature -material_print_temperature = =default_material_print_temperature -material_print_temperature_layer_0 = =max(-273.15, material_print_temperature + 5) skirt_brim_speed = =math.ceil(speed_print * 40 / 50) speed_print = 100.0 speed_infill = =math.ceil(speed_print * 60 / 50) @@ -31,7 +24,6 @@ speed_travel = =speed_print if magic_spiralize else 150 speed_layer_0 = =math.ceil(speed_print * 40 / 50) speed_wall_0 = =math.ceil(speed_print * 40 / 50) speed_wall_x = =math.ceil(speed_print * 60 / 50) -speed_z_hop = =math.ceil(speed_print * 30 / 60) top_layers = 4 bottom_layers = 2 wall_line_count = 2 diff --git a/resources/quality/eryone_thinker/eryone_thinker_fast.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_fast.inst.cfg index 22258643c5..0a173b8c56 100644 --- a/resources/quality/eryone_thinker/eryone_thinker_fast.inst.cfg +++ b/resources/quality/eryone_thinker/eryone_thinker_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = eryone_thinker [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 @@ -14,20 +14,12 @@ global_quality = True acceleration_print = 1500 acceleration_travel = 3000 infill_sparse_density = 15 -initial_layer_line_width_factor = 100.0 +initial_layer_line_width_factor = 110.0 layer_height = 0.25 -layer_height_0 = =layer_height -material_bed_temperature = =default_material_bed_temperature -material_bed_temperature_layer_0 = =material_bed_temperature -material_final_print_temperature = =material_print_temperature -material_initial_print_temperature = =material_print_temperature -material_print_temperature = =default_material_print_temperature -material_print_temperature_layer_0 = =max(-273.15, material_print_temperature + 5) speed_infill = =math.ceil(speed_print * 80 / 60) speed_topbottom = =math.ceil(speed_print * 40 / 60) speed_travel = =speed_print if magic_spiralize else 150 speed_wall_x = =math.ceil(speed_print * 80 / 60) -speed_z_hop = =math.ceil(speed_print * 30 / 60) -top_layers = 4 -bottom_layers = 2 -wall_line_count = 2 +top_layers = 5 +bottom_layers = 3 +wall_line_count = 2 \ No newline at end of file diff --git a/resources/quality/eryone_thinker/eryone_thinker_fine.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_fine.inst.cfg new file mode 100644 index 0000000000..05c7760d98 --- /dev/null +++ b/resources/quality/eryone_thinker/eryone_thinker_fine.inst.cfg @@ -0,0 +1,22 @@ +[general] +version = 4 +name = Fine +definition = eryone_thinker + +[metadata] +setting_version = 19 +type = quality +quality_type = fine +weight = 2 +global_quality = True + +[values] +alternate_extra_perimeter = true +infill_sparse_density = 30 +initial_layer_line_width_factor = 130.0 +layer_height = 0.1 +speed_print = 40.0 +speed_topbottom = =math.ceil(speed_print * 30 / 60) +speed_travel = =speed_print if magic_spiralize else 100 +top_layers = 12 +bottom_layers = 8 diff --git a/resources/quality/eryone_thinker/eryone_thinker_high.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_high.inst.cfg index 993a920671..c535a24198 100644 --- a/resources/quality/eryone_thinker/eryone_thinker_high.inst.cfg +++ b/resources/quality/eryone_thinker/eryone_thinker_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = eryone_thinker [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 @@ -13,18 +13,10 @@ global_quality = True [values] alternate_extra_perimeter = true infill_sparse_density = 25 -initial_layer_line_width_factor = 130.0 -layer_height = 0.1 -layer_height_0 = =layer_height -material_bed_temperature = =default_material_bed_temperature -material_bed_temperature_layer_0 = =material_bed_temperature -material_final_print_temperature = =material_print_temperature -material_initial_print_temperature = =material_print_temperature -material_print_temperature = =default_material_print_temperature -material_print_temperature_layer_0 = =max(-273.15, material_print_temperature + 5) +initial_layer_line_width_factor = 125.0 +layer_height = 0.15 speed_print = 50.0 speed_topbottom = =math.ceil(speed_print * 30 / 60) speed_travel = =speed_print if magic_spiralize else 100 -speed_z_hop = =math.ceil(speed_print * 30 / 60) -top_layers = 12 -bottom_layers = 8 +top_layers = 8 +bottom_layers = 6 diff --git a/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg b/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg index b22319faef..cc12b5cb79 100644 --- a/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg +++ b/resources/quality/eryone_thinker/eryone_thinker_normal.inst.cfg @@ -4,25 +4,10 @@ name = Normal definition = eryone_thinker [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 global_quality = True [values] -infill_sparse_density = 20 -initial_layer_line_width_factor = 120.0 -layer_height = 0.2 -layer_height_0 = =layer_height -material_bed_temperature = =default_material_bed_temperature -material_bed_temperature_layer_0 = =material_bed_temperature -material_final_print_temperature = =material_print_temperature -material_initial_print_temperature = =material_print_temperature -material_print_temperature = =default_material_print_temperature -material_print_temperature_layer_0 = =max(-273.15, material_print_temperature + 5) -speed_travel = =speed_print if magic_spiralize else 120 -speed_z_hop = =math.ceil(speed_print * 30 / 60) -top_layers = 6 -bottom_layers = 4 - diff --git a/resources/quality/extra_coarse.inst.cfg b/resources/quality/extra_coarse.inst.cfg index ac2e1d9b76..ea9ee5c09b 100644 --- a/resources/quality/extra_coarse.inst.cfg +++ b/resources/quality/extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -4 diff --git a/resources/quality/extra_fast.inst.cfg b/resources/quality/extra_fast.inst.cfg index 5283d4ec48..6519e48d59 100644 --- a/resources/quality/extra_fast.inst.cfg +++ b/resources/quality/extra_fast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/fabtotum/fabtotum_abs_fast.inst.cfg b/resources/quality/fabtotum/fabtotum_abs_fast.inst.cfg index 5cabb1555a..cacf4018ed 100644 --- a/resources/quality/fabtotum/fabtotum_abs_fast.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_abs_fast.inst.cfg @@ -4,7 +4,7 @@ definition = fabtotum name = Fast Quality [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/fabtotum/fabtotum_abs_high.inst.cfg b/resources/quality/fabtotum/fabtotum_abs_high.inst.cfg index af1d79886e..87a731663d 100644 --- a/resources/quality/fabtotum/fabtotum_abs_high.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_abs_high.inst.cfg @@ -4,7 +4,7 @@ definition = fabtotum name = High Quality [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/fabtotum/fabtotum_abs_normal.inst.cfg b/resources/quality/fabtotum/fabtotum_abs_normal.inst.cfg index fed9c9d760..decd3b2420 100644 --- a/resources/quality/fabtotum/fabtotum_abs_normal.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_abs_normal.inst.cfg @@ -4,7 +4,7 @@ definition = fabtotum name = Normal Quality [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/fabtotum/fabtotum_nylon_fast.inst.cfg b/resources/quality/fabtotum/fabtotum_nylon_fast.inst.cfg index 0badb05460..e844a14a10 100644 --- a/resources/quality/fabtotum/fabtotum_nylon_fast.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast Quality definition = fabtotum [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/fabtotum/fabtotum_nylon_high.inst.cfg b/resources/quality/fabtotum/fabtotum_nylon_high.inst.cfg index 672a30f631..17c5d44c90 100644 --- a/resources/quality/fabtotum/fabtotum_nylon_high.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_nylon_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fabtotum [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/fabtotum/fabtotum_nylon_normal.inst.cfg b/resources/quality/fabtotum/fabtotum_nylon_normal.inst.cfg index e31a549403..13023fd7d5 100644 --- a/resources/quality/fabtotum/fabtotum_nylon_normal.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fabtotum [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/fabtotum/fabtotum_pla_fast.inst.cfg b/resources/quality/fabtotum/fabtotum_pla_fast.inst.cfg index 1abc9985eb..3d404588b2 100644 --- a/resources/quality/fabtotum/fabtotum_pla_fast.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_pla_fast.inst.cfg @@ -4,7 +4,7 @@ definition = fabtotum name = Fast Quality [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/fabtotum/fabtotum_pla_high.inst.cfg b/resources/quality/fabtotum/fabtotum_pla_high.inst.cfg index 00c8be1ce0..777473ced7 100644 --- a/resources/quality/fabtotum/fabtotum_pla_high.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_pla_high.inst.cfg @@ -4,7 +4,7 @@ definition = fabtotum name = High Quality [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/fabtotum/fabtotum_pla_normal.inst.cfg b/resources/quality/fabtotum/fabtotum_pla_normal.inst.cfg index b8d7754d8f..9699fc6ae5 100644 --- a/resources/quality/fabtotum/fabtotum_pla_normal.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_pla_normal.inst.cfg @@ -4,7 +4,7 @@ definition = fabtotum name = Normal Quality [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/fabtotum/fabtotum_tpu_fast.inst.cfg b/resources/quality/fabtotum/fabtotum_tpu_fast.inst.cfg index 5154f2eb20..48de22eb91 100644 --- a/resources/quality/fabtotum/fabtotum_tpu_fast.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_tpu_fast.inst.cfg @@ -5,7 +5,7 @@ name = Fast Quality [metadata] type = quality -setting_version = 18 +setting_version = 19 material = generic_tpu variant = Lite 0.4 mm quality_type = fast diff --git a/resources/quality/fabtotum/fabtotum_tpu_high.inst.cfg b/resources/quality/fabtotum/fabtotum_tpu_high.inst.cfg index b1f74b6f35..7034f9ddc3 100644 --- a/resources/quality/fabtotum/fabtotum_tpu_high.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_tpu_high.inst.cfg @@ -5,7 +5,7 @@ name = High Quality [metadata] type = quality -setting_version = 18 +setting_version = 19 material = generic_tpu variant = Lite 0.4 mm quality_type = high diff --git a/resources/quality/fabtotum/fabtotum_tpu_normal.inst.cfg b/resources/quality/fabtotum/fabtotum_tpu_normal.inst.cfg index d49af657ce..74968edb40 100644 --- a/resources/quality/fabtotum/fabtotum_tpu_normal.inst.cfg +++ b/resources/quality/fabtotum/fabtotum_tpu_normal.inst.cfg @@ -5,7 +5,7 @@ name = Normal Quality [metadata] type = quality -setting_version = 18 +setting_version = 19 material = generic_tpu variant = Lite 0.4 mm quality_type = normal diff --git a/resources/quality/fabxpro/fabxpro_abs_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_abs_draft.inst.cfg index 0eff044b13..55f3c59395 100644 --- a/resources/quality/fabxpro/fabxpro_abs_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_abs_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_abs_fine.inst.cfg index b4ed31d69a..a73f95d727 100644 --- a/resources/quality/fabxpro/fabxpro_abs_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_abs_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_abs_normal.inst.cfg index d1e3fa9ee2..0c8a63e4bc 100644 --- a/resources/quality/fabxpro/fabxpro_abs_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_asa_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_asa_draft.inst.cfg index 69fd6502fc..1e13514154 100644 --- a/resources/quality/fabxpro/fabxpro_asa_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_asa_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_asa_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_asa_fine.inst.cfg index 75b1d5d9f8..662c8b8e3f 100644 --- a/resources/quality/fabxpro/fabxpro_asa_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_asa_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_asa_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_asa_normal.inst.cfg index 7bfaeb50e0..955718dbf7 100644 --- a/resources/quality/fabxpro/fabxpro_asa_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_asa_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_hips_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_hips_draft.inst.cfg index 90c5c0dd51..ce2a53097a 100644 --- a/resources/quality/fabxpro/fabxpro_hips_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_hips_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_hips_fine.inst.cfg index f7df36e2ca..72c7515b54 100644 --- a/resources/quality/fabxpro/fabxpro_hips_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_hips_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_hips_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_hips_normal.inst.cfg index 58100950b9..6f86ae57f9 100644 --- a/resources/quality/fabxpro/fabxpro_hips_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_hips_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_nylon_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_nylon_draft.inst.cfg index d5bd93cdd4..0573efe469 100644 --- a/resources/quality/fabxpro/fabxpro_nylon_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_nylon_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_nylon_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_nylon_fine.inst.cfg index ef7965ffa3..9fb5e0a04e 100644 --- a/resources/quality/fabxpro/fabxpro_nylon_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_nylon_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_nylon_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_nylon_normal.inst.cfg index 55aef87112..6bc32d32d9 100644 --- a/resources/quality/fabxpro/fabxpro_nylon_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_petg_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_petg_draft.inst.cfg index 3b796d1fa2..78e617ebe8 100644 --- a/resources/quality/fabxpro/fabxpro_petg_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_petg_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_petg_fine.inst.cfg index 5020c5047a..8dcc6d1a53 100644 --- a/resources/quality/fabxpro/fabxpro_petg_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_petg_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_petg_normal.inst.cfg index 2f704ddaeb..bfd1d420b8 100644 --- a/resources/quality/fabxpro/fabxpro_petg_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_pla_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_pla_draft.inst.cfg index 79b69ded4f..94dbc82eb9 100644 --- a/resources/quality/fabxpro/fabxpro_pla_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_pla_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_pla_fine.inst.cfg index 5b718c8bca..9880d1b27e 100644 --- a/resources/quality/fabxpro/fabxpro_pla_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_pla_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_pla_normal.inst.cfg index 5cdee37701..e2424743f4 100644 --- a/resources/quality/fabxpro/fabxpro_pla_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_tpe_draft.inst.cfg b/resources/quality/fabxpro/fabxpro_tpe_draft.inst.cfg index 524da35268..98474c3469 100644 --- a/resources/quality/fabxpro/fabxpro_tpe_draft.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_tpe_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Draft weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_tpe_fine.inst.cfg b/resources/quality/fabxpro/fabxpro_tpe_fine.inst.cfg index c73dfc9b9b..37d12b73ed 100644 --- a/resources/quality/fabxpro/fabxpro_tpe_fine.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_tpe_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Fine weight = -2 diff --git a/resources/quality/fabxpro/fabxpro_tpe_normal.inst.cfg b/resources/quality/fabxpro/fabxpro_tpe_normal.inst.cfg index eed5c65ea2..46d6f82f6f 100644 --- a/resources/quality/fabxpro/fabxpro_tpe_normal.inst.cfg +++ b/resources/quality/fabxpro/fabxpro_tpe_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fabxpro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Normal weight = -2 diff --git a/resources/quality/fast.inst.cfg b/resources/quality/fast.inst.cfg index 21367bc379..47e064cc6b 100644 --- a/resources/quality/fast.inst.cfg +++ b/resources/quality/fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/flashforge/abs/flashforge_0.20_abs_super.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.20_abs_super.inst.cfg index b9db4596df..b8c35c6fcd 100644 --- a/resources/quality/flashforge/abs/flashforge_0.20_abs_super.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.20_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.20_abs_ultra.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.20_abs_ultra.inst.cfg index d221aac166..17146efd9c 100644 --- a/resources/quality/flashforge/abs/flashforge_0.20_abs_ultra.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.20_abs_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.30_abs_adaptive.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.30_abs_adaptive.inst.cfg index f533fee5b2..f7eff028ba 100644 --- a/resources/quality/flashforge/abs/flashforge_0.30_abs_adaptive.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.30_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.30_abs_standard.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.30_abs_standard.inst.cfg index df96c7712e..ed9c7cc6f6 100644 --- a/resources/quality/flashforge/abs/flashforge_0.30_abs_standard.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.30_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.30_abs_super.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.30_abs_super.inst.cfg index 3d974543cd..19e8cf9fa6 100644 --- a/resources/quality/flashforge/abs/flashforge_0.30_abs_super.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.30_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.40_abs_adaptive.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.40_abs_adaptive.inst.cfg index 56dacfe091..277b14eac5 100644 --- a/resources/quality/flashforge/abs/flashforge_0.40_abs_adaptive.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.40_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.40_abs_draft.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.40_abs_draft.inst.cfg index f7f1ca1711..79569c07aa 100644 --- a/resources/quality/flashforge/abs/flashforge_0.40_abs_draft.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.40_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.40_abs_low.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.40_abs_low.inst.cfg index ac45a7f3e6..b8ce6cc0cf 100644 --- a/resources/quality/flashforge/abs/flashforge_0.40_abs_low.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.40_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.40_abs_standard.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.40_abs_standard.inst.cfg index 07dd6905dc..9b4f969d55 100644 --- a/resources/quality/flashforge/abs/flashforge_0.40_abs_standard.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.40_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.40_abs_super.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.40_abs_super.inst.cfg index 485ef09081..ca871129bf 100644 --- a/resources/quality/flashforge/abs/flashforge_0.40_abs_super.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.40_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.50_abs_adaptive.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.50_abs_adaptive.inst.cfg index 9f5a16223e..0af864f7be 100644 --- a/resources/quality/flashforge/abs/flashforge_0.50_abs_adaptive.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.50_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.50_abs_coarse.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.50_abs_coarse.inst.cfg index 8192803c26..5f0c892910 100644 --- a/resources/quality/flashforge/abs/flashforge_0.50_abs_coarse.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.50_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.50_abs_draft.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.50_abs_draft.inst.cfg index 49f8496e88..fc5b6a8bc0 100644 --- a/resources/quality/flashforge/abs/flashforge_0.50_abs_draft.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.50_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.50_abs_low.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.50_abs_low.inst.cfg index 309a35e4df..85fe4f21f6 100644 --- a/resources/quality/flashforge/abs/flashforge_0.50_abs_low.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.50_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.50_abs_standard.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.50_abs_standard.inst.cfg index fa50b93230..fe299dcedf 100644 --- a/resources/quality/flashforge/abs/flashforge_0.50_abs_standard.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.50_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.60_abs_coarse.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.60_abs_coarse.inst.cfg index 1df09543dd..4b5bb1b96f 100644 --- a/resources/quality/flashforge/abs/flashforge_0.60_abs_coarse.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.60_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.60_abs_draft.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.60_abs_draft.inst.cfg index 8e06d3f2e5..cf89c1bedf 100644 --- a/resources/quality/flashforge/abs/flashforge_0.60_abs_draft.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.60_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.60_abs_extra_coarse.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.60_abs_extra_coarse.inst.cfg index 308c15e1e7..da1f4b0e3a 100644 --- a/resources/quality/flashforge/abs/flashforge_0.60_abs_extra_coarse.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.60_abs_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Xcoarse material = generic_abs diff --git a/resources/quality/flashforge/abs/flashforge_0.60_abs_standard.inst.cfg b/resources/quality/flashforge/abs/flashforge_0.60_abs_standard.inst.cfg index 746afe654e..ccb0ff8ea2 100644 --- a/resources/quality/flashforge/abs/flashforge_0.60_abs_standard.inst.cfg +++ b/resources/quality/flashforge/abs/flashforge_0.60_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flashforge/flashforge_global_0.08_ultra.inst.cfg b/resources/quality/flashforge/flashforge_global_0.08_ultra.inst.cfg index 403a2b6b72..afc66c126a 100644 --- a/resources/quality/flashforge/flashforge_global_0.08_ultra.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.08_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/flashforge/flashforge_global_0.12_super.inst.cfg b/resources/quality/flashforge/flashforge_global_0.12_super.inst.cfg index e64b371f57..7728c5f7ed 100644 --- a/resources/quality/flashforge/flashforge_global_0.12_super.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.12_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/flashforge/flashforge_global_0.16_adaptive.inst.cfg b/resources/quality/flashforge/flashforge_global_0.16_adaptive.inst.cfg index 8a95b774d3..19f8d7b9cf 100644 --- a/resources/quality/flashforge/flashforge_global_0.16_adaptive.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.16_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/flashforge/flashforge_global_0.20_standard.inst.cfg b/resources/quality/flashforge/flashforge_global_0.20_standard.inst.cfg index acafba1b1d..47310fa9b7 100644 --- a/resources/quality/flashforge/flashforge_global_0.20_standard.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.20_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/flashforge/flashforge_global_0.28_low.inst.cfg b/resources/quality/flashforge/flashforge_global_0.28_low.inst.cfg index a61274df22..cb13a46ea3 100644 --- a/resources/quality/flashforge/flashforge_global_0.28_low.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.28_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/flashforge/flashforge_global_0.32_draft.inst.cfg b/resources/quality/flashforge/flashforge_global_0.32_draft.inst.cfg index 4022195e31..ea132aa37e 100644 --- a/resources/quality/flashforge/flashforge_global_0.32_draft.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.32_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/flashforge/flashforge_global_0.40_coarse.inst.cfg b/resources/quality/flashforge/flashforge_global_0.40_coarse.inst.cfg index 1dbdd5c878..76fefe5c4d 100644 --- a/resources/quality/flashforge/flashforge_global_0.40_coarse.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -6 diff --git a/resources/quality/flashforge/flashforge_global_0.48_extra_coarse.inst.cfg b/resources/quality/flashforge/flashforge_global_0.48_extra_coarse.inst.cfg index 24035acf68..37ebb0a49d 100644 --- a/resources/quality/flashforge/flashforge_global_0.48_extra_coarse.inst.cfg +++ b/resources/quality/flashforge/flashforge_global_0.48_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Xcoarse weight = -7 diff --git a/resources/quality/flashforge/petg/flashforge_0.2_petg_super.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.2_petg_super.inst.cfg index 21fd057c80..5cf7728e15 100644 --- a/resources/quality/flashforge/petg/flashforge_0.2_petg_super.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.2_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.2_petg_ultra.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.2_petg_ultra.inst.cfg index ce208830c4..8be68fb818 100644 --- a/resources/quality/flashforge/petg/flashforge_0.2_petg_ultra.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.2_petg_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.30_petg_adaptive.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.30_petg_adaptive.inst.cfg index d636c17802..c75c870c5d 100644 --- a/resources/quality/flashforge/petg/flashforge_0.30_petg_adaptive.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.30_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.30_petg_standard.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.30_petg_standard.inst.cfg index 35d145b125..87f4c0a8fb 100644 --- a/resources/quality/flashforge/petg/flashforge_0.30_petg_standard.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.30_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.30_petg_super.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.30_petg_super.inst.cfg index b9a1d32d1d..543c1d973c 100644 --- a/resources/quality/flashforge/petg/flashforge_0.30_petg_super.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.30_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.40_petg_adaptive.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.40_petg_adaptive.inst.cfg index 6f6751fc7a..0f3f6b009c 100644 --- a/resources/quality/flashforge/petg/flashforge_0.40_petg_adaptive.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.40_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.40_petg_draft.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.40_petg_draft.inst.cfg index 07f6d5aa09..8aaf6db245 100644 --- a/resources/quality/flashforge/petg/flashforge_0.40_petg_draft.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.40_petg_low.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.40_petg_low.inst.cfg index 9d7115f3a9..c63758cc86 100644 --- a/resources/quality/flashforge/petg/flashforge_0.40_petg_low.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.40_petg_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.40_petg_standard.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.40_petg_standard.inst.cfg index 776c3c7d14..71da98e818 100644 --- a/resources/quality/flashforge/petg/flashforge_0.40_petg_standard.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.40_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.40_petg_super.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.40_petg_super.inst.cfg index df66e9e754..c6263b849d 100644 --- a/resources/quality/flashforge/petg/flashforge_0.40_petg_super.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.40_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.50_petg_adaptive.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.50_petg_adaptive.inst.cfg index 5e1dd798e9..877be1f910 100644 --- a/resources/quality/flashforge/petg/flashforge_0.50_petg_adaptive.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.50_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.50_petg_coarse.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.50_petg_coarse.inst.cfg index 8c881f2b75..93402e7f36 100644 --- a/resources/quality/flashforge/petg/flashforge_0.50_petg_coarse.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.50_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.50_petg_draft.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.50_petg_draft.inst.cfg index 61b4d27cae..2ff5d972fb 100644 --- a/resources/quality/flashforge/petg/flashforge_0.50_petg_draft.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.50_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.50_petg_low.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.50_petg_low.inst.cfg index b5ff3ea513..ec9385ccfd 100644 --- a/resources/quality/flashforge/petg/flashforge_0.50_petg_low.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.50_petg_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.50_petg_standard.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.50_petg_standard.inst.cfg index 61409cd5b1..2e99dd2fa3 100644 --- a/resources/quality/flashforge/petg/flashforge_0.50_petg_standard.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.50_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.60_petg_draft.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.60_petg_draft.inst.cfg index 1ccc27701e..f589fa6093 100644 --- a/resources/quality/flashforge/petg/flashforge_0.60_petg_draft.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.60_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.60_petg_extra_coarse.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.60_petg_extra_coarse.inst.cfg index 06dbbee5ed..ea82e23e2c 100644 --- a/resources/quality/flashforge/petg/flashforge_0.60_petg_extra_coarse.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.60_petg_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Xcoarse material = generic_petg diff --git a/resources/quality/flashforge/petg/flashforge_0.60_petg_standard.inst.cfg b/resources/quality/flashforge/petg/flashforge_0.60_petg_standard.inst.cfg index 8d012aa071..e5b1a168fc 100644 --- a/resources/quality/flashforge/petg/flashforge_0.60_petg_standard.inst.cfg +++ b/resources/quality/flashforge/petg/flashforge_0.60_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flashforge/pla/flashforge_0.20_pla_super.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.20_pla_super.inst.cfg index eb0141be7d..06a7769e5b 100644 --- a/resources/quality/flashforge/pla/flashforge_0.20_pla_super.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.20_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.20_pla_ultra.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.20_pla_ultra.inst.cfg index faa458b175..78112ec6d2 100644 --- a/resources/quality/flashforge/pla/flashforge_0.20_pla_ultra.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.20_pla_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.30_pla_adaptive.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.30_pla_adaptive.inst.cfg index f8fcb63f68..ef80c2a6b0 100644 --- a/resources/quality/flashforge/pla/flashforge_0.30_pla_adaptive.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.30_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.30_pla_standard.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.30_pla_standard.inst.cfg index 53f4647536..3a795b3712 100644 --- a/resources/quality/flashforge/pla/flashforge_0.30_pla_standard.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.30_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.30_pla_super.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.30_pla_super.inst.cfg index 8048bfac71..c20e388ad6 100644 --- a/resources/quality/flashforge/pla/flashforge_0.30_pla_super.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.30_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.40_pla_adaptive.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.40_pla_adaptive.inst.cfg index 8d41a367ee..13ed615dd7 100644 --- a/resources/quality/flashforge/pla/flashforge_0.40_pla_adaptive.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.40_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.40_pla_draft.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.40_pla_draft.inst.cfg index 6bca0775a0..4e95c58cbe 100644 --- a/resources/quality/flashforge/pla/flashforge_0.40_pla_draft.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.40_pla_low.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.40_pla_low.inst.cfg index b2be460c3b..33f4757b32 100644 --- a/resources/quality/flashforge/pla/flashforge_0.40_pla_low.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.40_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.40_pla_standard.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.40_pla_standard.inst.cfg index 349c582ed5..63acf5a666 100644 --- a/resources/quality/flashforge/pla/flashforge_0.40_pla_standard.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.40_pla_super.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.40_pla_super.inst.cfg index 8276f2231b..935e64975e 100644 --- a/resources/quality/flashforge/pla/flashforge_0.40_pla_super.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.40_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.50_pla_adaptive.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.50_pla_adaptive.inst.cfg index 9fcd574f0e..1b07ac35f2 100644 --- a/resources/quality/flashforge/pla/flashforge_0.50_pla_adaptive.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.50_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.50_pla_coarse.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.50_pla_coarse.inst.cfg index 3d034bb4bf..3d314af586 100644 --- a/resources/quality/flashforge/pla/flashforge_0.50_pla_coarse.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.50_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.50_pla_draft.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.50_pla_draft.inst.cfg index f7a0677cb1..4e21c54dd7 100644 --- a/resources/quality/flashforge/pla/flashforge_0.50_pla_draft.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.50_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.50_pla_low.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.50_pla_low.inst.cfg index f0f003a449..379c089bd1 100644 --- a/resources/quality/flashforge/pla/flashforge_0.50_pla_low.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.50_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.50_pla_standard.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.50_pla_standard.inst.cfg index 5f8154f21b..26f81584b0 100644 --- a/resources/quality/flashforge/pla/flashforge_0.50_pla_standard.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.50_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.60_pla_draft.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.60_pla_draft.inst.cfg index a0c243d5e8..6a76b4056d 100644 --- a/resources/quality/flashforge/pla/flashforge_0.60_pla_draft.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.60_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.60_pla_extra Coarse.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.60_pla_extra Coarse.inst.cfg index 550daa85c0..eab60c4577 100644 --- a/resources/quality/flashforge/pla/flashforge_0.60_pla_extra Coarse.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.60_pla_extra Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Xcoarse material = generic_pla diff --git a/resources/quality/flashforge/pla/flashforge_0.60_pla_standard.inst.cfg b/resources/quality/flashforge/pla/flashforge_0.60_pla_standard.inst.cfg index cc87788efd..e0e3d253d5 100644 --- a/resources/quality/flashforge/pla/flashforge_0.60_pla_standard.inst.cfg +++ b/resources/quality/flashforge/pla/flashforge_0.60_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_adaptive.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_adaptive.inst.cfg index dc2c9d6c41..f1d71974c1 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_adaptive.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_draft.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_draft.inst.cfg index 230fcbc02f..d1a7b80ac1 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_draft.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_low.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_low.inst.cfg index 43ca2c4292..7877aa5e67 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_low.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_standard.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_standard.inst.cfg index 14be3c87ae..c4ca2f4336 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_standard.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_super.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_super.inst.cfg index 149d8cab4b..c6f469fe0d 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.40_tpu_super.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.40_tpu_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_adaptive.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_adaptive.inst.cfg index ba10bf2faa..cbe4e40b6a 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_adaptive.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_draft.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_draft.inst.cfg index 04b7d2f561..f34a3b8f5c 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_draft.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_low.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_low.inst.cfg index f65831e815..e86b941497 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_low.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_standard.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_standard.inst.cfg index 4cc4ef07d4..a600e034bb 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.50_tpu_standard.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.50_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.60_tpu_draft.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.60_tpu_draft.inst.cfg index 36dfc379a7..ddf4252c75 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.60_tpu_draft.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.60_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.60_tpu_low.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.60_tpu_low.inst.cfg index f353b9b42f..4062279adc 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.60_tpu_low.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.60_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/flashforge/tpu/flashforge_0.60_tpu_standard.inst.cfg b/resources/quality/flashforge/tpu/flashforge_0.60_tpu_standard.inst.cfg index f392caa5d7..41090f12e2 100644 --- a/resources/quality/flashforge/tpu/flashforge_0.60_tpu_standard.inst.cfg +++ b/resources/quality/flashforge/tpu/flashforge_0.60_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/flsun_sr/flsun_sr_fine.inst.cfg b/resources/quality/flsun_sr/flsun_sr_fine.inst.cfg index 69e564effd..1e460ba4ae 100644 --- a/resources/quality/flsun_sr/flsun_sr_fine.inst.cfg +++ b/resources/quality/flsun_sr/flsun_sr_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = flsun_sr [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 1 diff --git a/resources/quality/flsun_sr/flsun_sr_normal.inst.cfg b/resources/quality/flsun_sr/flsun_sr_normal.inst.cfg index c79249174b..826a2524bb 100644 --- a/resources/quality/flsun_sr/flsun_sr_normal.inst.cfg +++ b/resources/quality/flsun_sr/flsun_sr_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = flsun_sr [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/flyingbear/abs/flyingbear_0.25_abs_super.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.25_abs_super.inst.cfg index 01032f4f48..7c2e1b6811 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.25_abs_super.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.25_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.25_abs_ultra.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.25_abs_ultra.inst.cfg index b65f27f486..ec9268a95d 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.25_abs_ultra.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.25_abs_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.30_abs_adaptive.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.30_abs_adaptive.inst.cfg index 7f3ac6cc79..b022ffbe9e 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.30_abs_adaptive.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.30_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.30_abs_standard.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.30_abs_standard.inst.cfg index 0f578d603d..68f34a11fc 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.30_abs_standard.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.30_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.30_abs_super.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.30_abs_super.inst.cfg index be093e60cd..fd22f6f339 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.30_abs_super.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.30_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_adaptive.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_adaptive.inst.cfg index f45e5c99fa..49c6dc7361 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_adaptive.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_low.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_low.inst.cfg index 16bffeb12b..43464923e2 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_low.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_standard.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_standard.inst.cfg index fedac727bc..062ef2c918 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_standard.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_super.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_super.inst.cfg index 825464c0e8..bb11e6d6e5 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.40_abs_super.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.40_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_adaptive.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_adaptive.inst.cfg index 6089e0a417..3a3d916244 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_adaptive.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_draft.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_draft.inst.cfg index 9e0f0b0e67..7c5c72f1df 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_draft.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_low.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_low.inst.cfg index fd9ccc887c..bca2dd9b64 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_low.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_standard.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_standard.inst.cfg index 63c2603065..944dd71e5a 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.50_abs_standard.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.50_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.60_abs_draft.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.60_abs_draft.inst.cfg index 112b149034..b604bc00f8 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.60_abs_draft.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.60_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.60_abs_low.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.60_abs_low.inst.cfg index 08b9711d1a..65c45e6a44 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.60_abs_low.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.60_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.60_abs_standard.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.60_abs_standard.inst.cfg index 452f77f0a0..0e182cc7d9 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.60_abs_standard.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.60_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.80_abs_coarse.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.80_abs_coarse.inst.cfg index 320ee1bd53..0fb7176131 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.80_abs_coarse.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.80_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_abs diff --git a/resources/quality/flyingbear/abs/flyingbear_0.80_abs_draft.inst.cfg b/resources/quality/flyingbear/abs/flyingbear_0.80_abs_draft.inst.cfg index 83b23c12c8..2539737342 100644 --- a/resources/quality/flyingbear/abs/flyingbear_0.80_abs_draft.inst.cfg +++ b/resources/quality/flyingbear/abs/flyingbear_0.80_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/flyingbear/flyingbear_global_0.08_ultra.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.08_ultra.inst.cfg index 4055f73238..8bbfb59b86 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.08_ultra.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.08_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/flyingbear/flyingbear_global_0.12_super.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.12_super.inst.cfg index 4147cd8e52..1cc356fa69 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.12_super.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.12_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/flyingbear/flyingbear_global_0.16_adaptive.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.16_adaptive.inst.cfg index d17e7edf23..9b89a714c2 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.16_adaptive.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.16_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/flyingbear/flyingbear_global_0.20_standard.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.20_standard.inst.cfg index 327fcdf377..215457396d 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.20_standard.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.20_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/flyingbear/flyingbear_global_0.28_low.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.28_low.inst.cfg index f9c805884c..b30afaf8f3 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.28_low.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.28_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/flyingbear/flyingbear_global_0.32_draft.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.32_draft.inst.cfg index 39c7cca6f6..abade332e4 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.32_draft.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.32_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/flyingbear/flyingbear_global_0.40_coarse.inst.cfg b/resources/quality/flyingbear/flyingbear_global_0.40_coarse.inst.cfg index e78e6bab0e..a2c1163a2a 100644 --- a/resources/quality/flyingbear/flyingbear_global_0.40_coarse.inst.cfg +++ b/resources/quality/flyingbear/flyingbear_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -6 diff --git a/resources/quality/flyingbear/hips/flyingbear_0.25_hips_super.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.25_hips_super.inst.cfg index 8820434cdd..5a002bce0c 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.25_hips_super.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.25_hips_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.25_hips_ultra.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.25_hips_ultra.inst.cfg index 4997adebc4..15573017c5 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.25_hips_ultra.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.25_hips_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.30_hips_adaptive.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.30_hips_adaptive.inst.cfg index a0b30c3e3d..1439544a08 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.30_hips_adaptive.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.30_hips_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.30_hips_standard.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.30_hips_standard.inst.cfg index 66d3e32b6f..f93a69e6e3 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.30_hips_standard.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.30_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.30_hips_super.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.30_hips_super.inst.cfg index da82de356f..fab4f14e8d 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.30_hips_super.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.30_hips_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_adaptive.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_adaptive.inst.cfg index 77425e6364..f5c2a192ac 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_adaptive.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_low.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_low.inst.cfg index 175223172a..8785c13af0 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_low.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_standard.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_standard.inst.cfg index 45ecb8b7cd..d2fa12f14f 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_standard.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_super.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_super.inst.cfg index 02219d3208..95a954257d 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.40_hips_super.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.40_hips_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_adaptive.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_adaptive.inst.cfg index 9bc0331689..ac525c1c63 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_adaptive.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_draft.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_draft.inst.cfg index 152579a92d..9a54284591 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_draft.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_low.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_low.inst.cfg index cc7be8b2bf..dae7be291c 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_low.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_standard.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_standard.inst.cfg index ac5bde7b8f..220734a986 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.50_hips_standard.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.50_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.60_hips_draft.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.60_hips_draft.inst.cfg index fadb29450e..4e84d284d7 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.60_hips_draft.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.60_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.60_hips_low.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.60_hips_low.inst.cfg index 9fb5ea2e99..2cf31cc1c9 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.60_hips_low.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.60_hips_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.60_hips_standard.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.60_hips_standard.inst.cfg index fa6e1fc792..21c3a72614 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.60_hips_standard.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.60_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.80_hips_coarse.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.80_hips_coarse.inst.cfg index bcd17fbcda..19ad8c9f2b 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.80_hips_coarse.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.80_hips_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_hips diff --git a/resources/quality/flyingbear/hips/flyingbear_0.80_hips_draft.inst.cfg b/resources/quality/flyingbear/hips/flyingbear_0.80_hips_draft.inst.cfg index eda74fd126..2e8890fd3d 100644 --- a/resources/quality/flyingbear/hips/flyingbear_0.80_hips_draft.inst.cfg +++ b/resources/quality/flyingbear/hips/flyingbear_0.80_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_hips diff --git a/resources/quality/flyingbear/petg/flyingbear_0.25_petg_super.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.25_petg_super.inst.cfg index c437f5556a..a7b7c31601 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.25_petg_super.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.25_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.25_petg_ultra.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.25_petg_ultra.inst.cfg index 177c9645ab..c230a82f2a 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.25_petg_ultra.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.25_petg_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.30_petg_adaptive.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.30_petg_adaptive.inst.cfg index 68ea079a1a..8a5618920d 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.30_petg_adaptive.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.30_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.30_petg_standard.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.30_petg_standard.inst.cfg index 9a971ff983..6b364e6d8e 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.30_petg_standard.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.30_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.30_petg_super.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.30_petg_super.inst.cfg index 3ba12fc2e9..12198cbeda 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.30_petg_super.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.30_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_adaptive.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_adaptive.inst.cfg index 932e19959d..0e522f9fe6 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_adaptive.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_low.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_low.inst.cfg index 426dd5f3f0..f0abc14848 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_low.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_standard.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_standard.inst.cfg index f241de05e8..c019508635 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_standard.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_super.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_super.inst.cfg index ebb9f24ef0..c7d3b271f3 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.40_petg_super.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.40_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_adaptive.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_adaptive.inst.cfg index 3518f9a671..c73e351c13 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_adaptive.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_draft.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_draft.inst.cfg index 69ca806081..83672bb0aa 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_draft.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_low.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_low.inst.cfg index 8cc7e51dcd..bb26238686 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_low.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_standard.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_standard.inst.cfg index f33ae26299..28db43de29 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.50_petg_standard.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.50_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.60_petg_draft.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.60_petg_draft.inst.cfg index bd63998023..cf44705ba5 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.60_petg_draft.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.60_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.60_petg_low.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.60_petg_low.inst.cfg index 5b26015920..9243fa9919 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.60_petg_low.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.60_petg_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.60_petg_standard.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.60_petg_standard.inst.cfg index 44d7b2e8d6..dfcd7e31f8 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.60_petg_standard.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.60_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.80_petg_coarse.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.80_petg_coarse.inst.cfg index d435f1431c..529bb5e1c5 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.80_petg_coarse.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.80_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_petg diff --git a/resources/quality/flyingbear/petg/flyingbear_0.80_petg_draft.inst.cfg b/resources/quality/flyingbear/petg/flyingbear_0.80_petg_draft.inst.cfg index a3b1cba1ba..5d00b5da52 100644 --- a/resources/quality/flyingbear/petg/flyingbear_0.80_petg_draft.inst.cfg +++ b/resources/quality/flyingbear/petg/flyingbear_0.80_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/flyingbear/pla/flyingbear_0.25_pla_super.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.25_pla_super.inst.cfg index 8abc1796b2..17d501213f 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.25_pla_super.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.25_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.25_pla_ultra.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.25_pla_ultra.inst.cfg index beecce1589..884c244bea 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.25_pla_ultra.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.25_pla_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.30_pla_adaptive.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.30_pla_adaptive.inst.cfg index 08084fd98f..0a7b951e13 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.30_pla_adaptive.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.30_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.30_pla_standard.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.30_pla_standard.inst.cfg index 479ba64ee5..2226a29e85 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.30_pla_standard.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.30_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.30_pla_super.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.30_pla_super.inst.cfg index 606a741295..8ecad3f5e6 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.30_pla_super.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.30_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_adaptive.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_adaptive.inst.cfg index eff5a31b9a..0c3bc3d0e9 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_adaptive.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_low.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_low.inst.cfg index 3e90c265a1..755ffef0c0 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_low.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_standard.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_standard.inst.cfg index 1ab58fa16b..2c49b95dcb 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_standard.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_super.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_super.inst.cfg index b0a24af008..c15c95bed6 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.40_pla_super.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.40_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_adaptive.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_adaptive.inst.cfg index 5e4a38ab40..994b58406b 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_adaptive.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_draft.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_draft.inst.cfg index 1f80433c9a..ac0125746e 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_draft.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_low.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_low.inst.cfg index 2f0d6dd82a..17bb05b818 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_low.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_standard.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_standard.inst.cfg index 46aa765f2f..64d6effa9d 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.50_pla_standard.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.50_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.60_pla_draft.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.60_pla_draft.inst.cfg index dd1faf80ca..89caf91f00 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.60_pla_draft.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.60_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.60_pla_low.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.60_pla_low.inst.cfg index b2be6553e7..0d9bfb5af7 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.60_pla_low.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.60_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.60_pla_standard.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.60_pla_standard.inst.cfg index 6024b6b427..2b309f24d1 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.60_pla_standard.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.60_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.80_pla_coarse.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.80_pla_coarse.inst.cfg index 665a52d081..4a763cc8b8 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.80_pla_coarse.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.80_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_pla diff --git a/resources/quality/flyingbear/pla/flyingbear_0.80_pla_draft.inst.cfg b/resources/quality/flyingbear/pla/flyingbear_0.80_pla_draft.inst.cfg index 7fb17225a7..ec976b990a 100644 --- a/resources/quality/flyingbear/pla/flyingbear_0.80_pla_draft.inst.cfg +++ b/resources/quality/flyingbear/pla/flyingbear_0.80_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_super.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_super.inst.cfg index d6c6c54e81..61ea0fb879 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_super.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_ultra.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_ultra.inst.cfg index b27b62982f..1158473d32 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_ultra.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.25_plapro_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_adaptive.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_adaptive.inst.cfg index d63539638a..19ad0ba494 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_adaptive.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_standard.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_standard.inst.cfg index 0db748389c..7c0e773b0d 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_standard.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_super.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_super.inst.cfg index 56793f525e..36afd2f1b5 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_super.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.30_plapro_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_adaptive.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_adaptive.inst.cfg index 6cdc025c76..ac2ee6b7be 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_adaptive.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_low.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_low.inst.cfg index 2d1da6aa2c..72a863e7b2 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_low.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_standard.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_standard.inst.cfg index be1ef02ce4..0b4a159b96 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_standard.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_super.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_super.inst.cfg index ae525e4df5..20a8a20d4f 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_super.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.40_plapro_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_adaptive.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_adaptive.inst.cfg index 37d8f2ad2f..3869217724 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_adaptive.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_draft.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_draft.inst.cfg index fc6a53eef2..c33eb2b405 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_draft.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_low.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_low.inst.cfg index df79fe7d65..a281aac7d3 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_low.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_standard.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_standard.inst.cfg index cb96c323fa..4d2ec1d7cd 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_standard.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.50_plapro_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_draft.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_draft.inst.cfg index 6ea8271839..1a3d629cb1 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_draft.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_low.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_low.inst.cfg index e7e5bad703..37fc906f80 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_low.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_standard.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_standard.inst.cfg index 70b9537bb4..629ea3e0c8 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_standard.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.60_plapro_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_coarse.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_coarse.inst.cfg index 7b180f66a1..790e3ac730 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_coarse.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_draft.inst.cfg b/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_draft.inst.cfg index db46c901e6..87828f6f3a 100644 --- a/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_draft.inst.cfg +++ b/resources/quality/flyingbear/plapro/flyingbear_0.80_plapro_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = eSUN_PLA_PRO_Black diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_adaptive.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_adaptive.inst.cfg index e619d74c1c..36de73aedd 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_adaptive.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_low.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_low.inst.cfg index 6e2c3e3ff1..df6dab029d 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_low.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_standard.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_standard.inst.cfg index e2e9036b5f..884710a36e 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_standard.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_super.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_super.inst.cfg index e475b2965c..d35d00b9cf 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_super.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.40_tpu_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_adaptive.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_adaptive.inst.cfg index 2f72abcdba..54b23ead0a 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_adaptive.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_draft.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_draft.inst.cfg index e30bc2fa3d..8925ceb299 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_draft.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_low.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_low.inst.cfg index 417954978d..90c1adfcd7 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_low.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_standard.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_standard.inst.cfg index f789e0749e..43578ca11d 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_standard.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.50_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_draft.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_draft.inst.cfg index 8279569ebe..7745054e4b 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_draft.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_low.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_low.inst.cfg index 4fff0e1481..e5d593bfc6 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_low.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_standard.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_standard.inst.cfg index 74f83de30c..4208cc7147 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_standard.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.60_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_coarse.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_coarse.inst.cfg index e1ec58e986..a7b7c995e3 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_coarse.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse material = generic_tpu diff --git a/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_draft.inst.cfg b/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_draft.inst.cfg index 7b5f50c4fc..b4e553a52e 100644 --- a/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_draft.inst.cfg +++ b/resources/quality/flyingbear/tpu/flyingbear_0.80_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/fusedform/base/base_PVA_draft.inst.cfg b/resources/quality/fusedform/base/base_PVA_draft.inst.cfg index 3b5d3a8841..b8bdf9614c 100644 --- a/resources/quality/fusedform/base/base_PVA_draft.inst.cfg +++ b/resources/quality/fusedform/base/base_PVA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/fusedform/base/base_PVA_high.inst.cfg b/resources/quality/fusedform/base/base_PVA_high.inst.cfg index afdf74745a..c605905af3 100644 --- a/resources/quality/fusedform/base/base_PVA_high.inst.cfg +++ b/resources/quality/fusedform/base/base_PVA_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_PVA_normal.inst.cfg b/resources/quality/fusedform/base/base_PVA_normal.inst.cfg index b4f6818b56..27bf096449 100644 --- a/resources/quality/fusedform/base/base_PVA_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_PVA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_abs_draft.inst.cfg b/resources/quality/fusedform/base/base_abs_draft.inst.cfg index f7ea49c5cd..4f3a32700a 100644 --- a/resources/quality/fusedform/base/base_abs_draft.inst.cfg +++ b/resources/quality/fusedform/base/base_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/fusedform/base/base_abs_high.inst.cfg b/resources/quality/fusedform/base/base_abs_high.inst.cfg index 9593cc9a92..6d6b5df653 100644 --- a/resources/quality/fusedform/base/base_abs_high.inst.cfg +++ b/resources/quality/fusedform/base/base_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_abs_normal.inst.cfg b/resources/quality/fusedform/base/base_abs_normal.inst.cfg index 97dfbf7604..32ec4b99a7 100644 --- a/resources/quality/fusedform/base/base_abs_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_abs_ultra_high.inst.cfg b/resources/quality/fusedform/base/base_abs_ultra_high.inst.cfg index 0d4f7822ff..805fec9bd7 100644 --- a/resources/quality/fusedform/base/base_abs_ultra_high.inst.cfg +++ b/resources/quality/fusedform/base/base_abs_ultra_high.inst.cfg @@ -4,7 +4,7 @@ name = Ultra High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type =ultra high weight = -1 diff --git a/resources/quality/fusedform/base/base_draft.inst.cfg b/resources/quality/fusedform/base/base_draft.inst.cfg index aff0381a84..2ddc80c34e 100644 --- a/resources/quality/fusedform/base/base_draft.inst.cfg +++ b/resources/quality/fusedform/base/base_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -4 diff --git a/resources/quality/fusedform/base/base_flex_high.inst.cfg b/resources/quality/fusedform/base/base_flex_high.inst.cfg index b5d7f456c9..9b4499a7b2 100644 --- a/resources/quality/fusedform/base/base_flex_high.inst.cfg +++ b/resources/quality/fusedform/base/base_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_flex_normal.inst.cfg b/resources/quality/fusedform/base/base_flex_normal.inst.cfg index c5d4acbd6b..5e62bb369c 100644 --- a/resources/quality/fusedform/base/base_flex_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_flex_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_high.inst.cfg b/resources/quality/fusedform/base/base_high.inst.cfg index 370a58b3ab..f707611dff 100644 --- a/resources/quality/fusedform/base/base_high.inst.cfg +++ b/resources/quality/fusedform/base/base_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_hips_draft.inst.cfg b/resources/quality/fusedform/base/base_hips_draft.inst.cfg index c66e7cd189..488778047c 100644 --- a/resources/quality/fusedform/base/base_hips_draft.inst.cfg +++ b/resources/quality/fusedform/base/base_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_hips diff --git a/resources/quality/fusedform/base/base_hips_high.inst.cfg b/resources/quality/fusedform/base/base_hips_high.inst.cfg index 7118ef1152..f70b7b0c2b 100644 --- a/resources/quality/fusedform/base/base_hips_high.inst.cfg +++ b/resources/quality/fusedform/base/base_hips_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_hips_normal.inst.cfg b/resources/quality/fusedform/base/base_hips_normal.inst.cfg index 400a462fab..5af563e979 100644 --- a/resources/quality/fusedform/base/base_hips_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_hips_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_hips_ultra_high.inst.cfg b/resources/quality/fusedform/base/base_hips_ultra_high.inst.cfg index 0a8666aa01..582fbdf916 100644 --- a/resources/quality/fusedform/base/base_hips_ultra_high.inst.cfg +++ b/resources/quality/fusedform/base/base_hips_ultra_high.inst.cfg @@ -4,7 +4,7 @@ name = Ultra High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type =ultra high weight = -1 diff --git a/resources/quality/fusedform/base/base_normal.inst.cfg b/resources/quality/fusedform/base/base_normal.inst.cfg index f9ad37206e..6600103fef 100644 --- a/resources/quality/fusedform/base/base_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_nylon_draft.inst.cfg b/resources/quality/fusedform/base/base_nylon_draft.inst.cfg index 7f51d359d4..a2a9ca1a2a 100644 --- a/resources/quality/fusedform/base/base_nylon_draft.inst.cfg +++ b/resources/quality/fusedform/base/base_nylon_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_nylon diff --git a/resources/quality/fusedform/base/base_nylon_high.inst.cfg b/resources/quality/fusedform/base/base_nylon_high.inst.cfg index 509196967e..312e566ae3 100644 --- a/resources/quality/fusedform/base/base_nylon_high.inst.cfg +++ b/resources/quality/fusedform/base/base_nylon_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_nylon_normal.inst.cfg b/resources/quality/fusedform/base/base_nylon_normal.inst.cfg index f59500162f..9d4cc58e11 100644 --- a/resources/quality/fusedform/base/base_nylon_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_nylon_ultra_high.inst.cfg b/resources/quality/fusedform/base/base_nylon_ultra_high.inst.cfg index 56e9d988d4..0427be043e 100644 --- a/resources/quality/fusedform/base/base_nylon_ultra_high.inst.cfg +++ b/resources/quality/fusedform/base/base_nylon_ultra_high.inst.cfg @@ -4,7 +4,7 @@ name = Ultra High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type =ultra high weight = -1 diff --git a/resources/quality/fusedform/base/base_petg_high.inst.cfg b/resources/quality/fusedform/base/base_petg_high.inst.cfg index 576992ea34..8423df164f 100644 --- a/resources/quality/fusedform/base/base_petg_high.inst.cfg +++ b/resources/quality/fusedform/base/base_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_petg_normal.inst.cfg b/resources/quality/fusedform/base/base_petg_normal.inst.cfg index 06a31f578f..9dd3ea7d93 100644 --- a/resources/quality/fusedform/base/base_petg_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_pla_draft.inst.cfg b/resources/quality/fusedform/base/base_pla_draft.inst.cfg index 3ebc763fa3..e2b4f06079 100644 --- a/resources/quality/fusedform/base/base_pla_draft.inst.cfg +++ b/resources/quality/fusedform/base/base_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -4 diff --git a/resources/quality/fusedform/base/base_pla_high.inst.cfg b/resources/quality/fusedform/base/base_pla_high.inst.cfg index ef980cbd1e..bfdfe33007 100644 --- a/resources/quality/fusedform/base/base_pla_high.inst.cfg +++ b/resources/quality/fusedform/base/base_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/fusedform/base/base_pla_normal.inst.cfg b/resources/quality/fusedform/base/base_pla_normal.inst.cfg index 379f09aebd..3f3f16517b 100644 --- a/resources/quality/fusedform/base/base_pla_normal.inst.cfg +++ b/resources/quality/fusedform/base/base_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -2 diff --git a/resources/quality/fusedform/base/base_pla_ultra_high.inst.cfg b/resources/quality/fusedform/base/base_pla_ultra_high.inst.cfg index 505fb8d4e4..de3bf61b0a 100644 --- a/resources/quality/fusedform/base/base_pla_ultra_high.inst.cfg +++ b/resources/quality/fusedform/base/base_pla_ultra_high.inst.cfg @@ -4,7 +4,7 @@ name =Ultra High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type =ultra high weight = -2 diff --git a/resources/quality/fusedform/base/base_ultra_high.inst.cfg b/resources/quality/fusedform/base/base_ultra_high.inst.cfg index 82e34d8732..32ba517dba 100644 --- a/resources/quality/fusedform/base/base_ultra_high.inst.cfg +++ b/resources/quality/fusedform/base/base_ultra_high.inst.cfg @@ -4,7 +4,7 @@ name = Ultra High Quality definition = fusedform_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type =ultra high weight = -1 diff --git a/resources/quality/gmax15plus/gmax15plus_global_dual_normal.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_dual_normal.inst.cfg index da24c24695..ece567995a 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_dual_normal.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_dual_normal.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Dual Normal Layers definition = gmax15plus_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/gmax15plus/gmax15plus_global_dual_thick.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_dual_thick.inst.cfg index f3549a1f45..615963215c 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_dual_thick.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_dual_thick.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Dual Thick Layers definition = gmax15plus_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = course weight = -2 diff --git a/resources/quality/gmax15plus/gmax15plus_global_dual_thin.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_dual_thin.inst.cfg index c37a2e9020..ffe0078e06 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_dual_thin.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_dual_thin.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Dual Thin Layers definition = gmax15plus_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/gmax15plus/gmax15plus_global_dual_very_thick.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_dual_very_thick.inst.cfg index 7c2acdb468..d8c63b4c69 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_dual_very_thick.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_dual_very_thick.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Dual Very Thick Layers definition = gmax15plus_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra_course weight = -3 diff --git a/resources/quality/gmax15plus/gmax15plus_global_normal.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_normal.inst.cfg index 259bfcf005..9c0a5a4783 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_normal.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_normal.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Normal Layers definition = gmax15plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/gmax15plus/gmax15plus_global_thick.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_thick.inst.cfg index 4b6e51ffb7..c9dc271e0f 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_thick.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_thick.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Thick Layers definition = gmax15plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = course weight = -2 diff --git a/resources/quality/gmax15plus/gmax15plus_global_thin.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_thin.inst.cfg index 0c57ad1e53..816aaf964c 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_thin.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_thin.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Thin Layers definition = gmax15plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/gmax15plus/gmax15plus_global_very_thick.inst.cfg b/resources/quality/gmax15plus/gmax15plus_global_very_thick.inst.cfg index 7eaa28f28b..85b45b4b73 100644 --- a/resources/quality/gmax15plus/gmax15plus_global_very_thick.inst.cfg +++ b/resources/quality/gmax15plus/gmax15plus_global_very_thick.inst.cfg @@ -4,7 +4,7 @@ name = gMax 1.5+ Very Thick Layers definition = gmax15plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra_course weight = -3 diff --git a/resources/quality/goofoo/abs/goofoo_far_0.40_abs_fine.inst.cfg b/resources/quality/goofoo/abs/goofoo_far_0.40_abs_fine.inst.cfg index 34f82ca058..faa3e26d5a 100644 --- a/resources/quality/goofoo/abs/goofoo_far_0.40_abs_fine.inst.cfg +++ b/resources/quality/goofoo/abs/goofoo_far_0.40_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_abs diff --git a/resources/quality/goofoo/abs/goofoo_far_0.40_abs_standard.inst.cfg b/resources/quality/goofoo/abs/goofoo_far_0.40_abs_standard.inst.cfg index 8204490b99..890c9f87ff 100644 --- a/resources/quality/goofoo/abs/goofoo_far_0.40_abs_standard.inst.cfg +++ b/resources/quality/goofoo/abs/goofoo_far_0.40_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_abs diff --git a/resources/quality/goofoo/abs/goofoo_near_0.40_abs_fine.inst.cfg b/resources/quality/goofoo/abs/goofoo_near_0.40_abs_fine.inst.cfg index 56e00cd587..9eae035620 100644 --- a/resources/quality/goofoo/abs/goofoo_near_0.40_abs_fine.inst.cfg +++ b/resources/quality/goofoo/abs/goofoo_near_0.40_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_abs diff --git a/resources/quality/goofoo/abs/goofoo_near_0.40_abs_standard.inst.cfg b/resources/quality/goofoo/abs/goofoo_near_0.40_abs_standard.inst.cfg index c0e121843c..1bf6ddeb58 100644 --- a/resources/quality/goofoo/abs/goofoo_near_0.40_abs_standard.inst.cfg +++ b/resources/quality/goofoo/abs/goofoo_near_0.40_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_abs diff --git a/resources/quality/goofoo/asa/goofoo_far_0.40_asa_fine.inst.cfg b/resources/quality/goofoo/asa/goofoo_far_0.40_asa_fine.inst.cfg index c1800cf3ae..fa16d62033 100644 --- a/resources/quality/goofoo/asa/goofoo_far_0.40_asa_fine.inst.cfg +++ b/resources/quality/goofoo/asa/goofoo_far_0.40_asa_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_asa diff --git a/resources/quality/goofoo/asa/goofoo_far_0.40_asa_standard.inst.cfg b/resources/quality/goofoo/asa/goofoo_far_0.40_asa_standard.inst.cfg index 9a07d176dd..e684abc731 100644 --- a/resources/quality/goofoo/asa/goofoo_far_0.40_asa_standard.inst.cfg +++ b/resources/quality/goofoo/asa/goofoo_far_0.40_asa_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_asa diff --git a/resources/quality/goofoo/asa/goofoo_near_0.40_asa_fine.inst.cfg b/resources/quality/goofoo/asa/goofoo_near_0.40_asa_fine.inst.cfg index aa3d8726a6..83d9e839c6 100644 --- a/resources/quality/goofoo/asa/goofoo_near_0.40_asa_fine.inst.cfg +++ b/resources/quality/goofoo/asa/goofoo_near_0.40_asa_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_asa diff --git a/resources/quality/goofoo/asa/goofoo_near_0.40_asa_standard.inst.cfg b/resources/quality/goofoo/asa/goofoo_near_0.40_asa_standard.inst.cfg index 8af87c606c..67dffd0a73 100644 --- a/resources/quality/goofoo/asa/goofoo_near_0.40_asa_standard.inst.cfg +++ b/resources/quality/goofoo/asa/goofoo_near_0.40_asa_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_asa diff --git a/resources/quality/goofoo/goofoo_far_global_0.15_fine.inst.cfg b/resources/quality/goofoo/goofoo_far_global_0.15_fine.inst.cfg index a065bd9988..9cd3a18981 100644 --- a/resources/quality/goofoo/goofoo_far_global_0.15_fine.inst.cfg +++ b/resources/quality/goofoo/goofoo_far_global_0.15_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = -1 diff --git a/resources/quality/goofoo/goofoo_far_global_0.1_efine.inst.cfg b/resources/quality/goofoo/goofoo_far_global_0.1_efine.inst.cfg index 786c843222..0b5934f54e 100644 --- a/resources/quality/goofoo/goofoo_far_global_0.1_efine.inst.cfg +++ b/resources/quality/goofoo/goofoo_far_global_0.1_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine weight = 0 diff --git a/resources/quality/goofoo/goofoo_far_global_0.20_standard.inst.cfg b/resources/quality/goofoo/goofoo_far_global_0.20_standard.inst.cfg index 91670f580f..ab7d826169 100644 --- a/resources/quality/goofoo/goofoo_far_global_0.20_standard.inst.cfg +++ b/resources/quality/goofoo/goofoo_far_global_0.20_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/goofoo/goofoo_far_global_0.3_draft.inst.cfg b/resources/quality/goofoo/goofoo_far_global_0.3_draft.inst.cfg index 82dce0a92f..e5f9b98761 100644 --- a/resources/quality/goofoo/goofoo_far_global_0.3_draft.inst.cfg +++ b/resources/quality/goofoo/goofoo_far_global_0.3_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/goofoo/goofoo_near_global_0.15_fine.inst.cfg b/resources/quality/goofoo/goofoo_near_global_0.15_fine.inst.cfg index d5a525b513..0841848203 100644 --- a/resources/quality/goofoo/goofoo_near_global_0.15_fine.inst.cfg +++ b/resources/quality/goofoo/goofoo_near_global_0.15_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = -1 diff --git a/resources/quality/goofoo/goofoo_near_global_0.1_efine.inst.cfg b/resources/quality/goofoo/goofoo_near_global_0.1_efine.inst.cfg index 35c73e0c3e..1f8bed3237 100644 --- a/resources/quality/goofoo/goofoo_near_global_0.1_efine.inst.cfg +++ b/resources/quality/goofoo/goofoo_near_global_0.1_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine weight = 0 diff --git a/resources/quality/goofoo/goofoo_near_global_0.20_standard.inst.cfg b/resources/quality/goofoo/goofoo_near_global_0.20_standard.inst.cfg index d2abdf9a3d..e5d32357d0 100644 --- a/resources/quality/goofoo/goofoo_near_global_0.20_standard.inst.cfg +++ b/resources/quality/goofoo/goofoo_near_global_0.20_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/goofoo/goofoo_near_global_0.3_draft.inst.cfg b/resources/quality/goofoo/goofoo_near_global_0.3_draft.inst.cfg index 0ba10b7233..61a2450ff7 100644 --- a/resources/quality/goofoo/goofoo_near_global_0.3_draft.inst.cfg +++ b/resources/quality/goofoo/goofoo_near_global_0.3_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/goofoo/goofoo_open_global_0.15_fine.inst.cfg b/resources/quality/goofoo/goofoo_open_global_0.15_fine.inst.cfg index 7c933ddfa0..4f1c75182c 100644 --- a/resources/quality/goofoo/goofoo_open_global_0.15_fine.inst.cfg +++ b/resources/quality/goofoo/goofoo_open_global_0.15_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = -1 diff --git a/resources/quality/goofoo/goofoo_open_global_0.1_efine.inst.cfg b/resources/quality/goofoo/goofoo_open_global_0.1_efine.inst.cfg index 776905f832..7b87104e73 100644 --- a/resources/quality/goofoo/goofoo_open_global_0.1_efine.inst.cfg +++ b/resources/quality/goofoo/goofoo_open_global_0.1_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine weight = 0 diff --git a/resources/quality/goofoo/goofoo_open_global_0.20_standard.inst.cfg b/resources/quality/goofoo/goofoo_open_global_0.20_standard.inst.cfg index 14da070d35..f81924af64 100644 --- a/resources/quality/goofoo/goofoo_open_global_0.20_standard.inst.cfg +++ b/resources/quality/goofoo/goofoo_open_global_0.20_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/goofoo/goofoo_open_global_0.3_draft.inst.cfg b/resources/quality/goofoo/goofoo_open_global_0.3_draft.inst.cfg index b5f516fc35..9c43bcef0a 100644 --- a/resources/quality/goofoo/goofoo_open_global_0.3_draft.inst.cfg +++ b/resources/quality/goofoo/goofoo_open_global_0.3_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/goofoo/goofoo_small_global_0.15_fine.inst.cfg b/resources/quality/goofoo/goofoo_small_global_0.15_fine.inst.cfg index d8e86034b5..8653ee326b 100644 --- a/resources/quality/goofoo/goofoo_small_global_0.15_fine.inst.cfg +++ b/resources/quality/goofoo/goofoo_small_global_0.15_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = -1 diff --git a/resources/quality/goofoo/goofoo_small_global_0.1_efine.inst.cfg b/resources/quality/goofoo/goofoo_small_global_0.1_efine.inst.cfg index 5de0a4038e..f27264e38b 100644 --- a/resources/quality/goofoo/goofoo_small_global_0.1_efine.inst.cfg +++ b/resources/quality/goofoo/goofoo_small_global_0.1_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine weight = 0 diff --git a/resources/quality/goofoo/goofoo_small_global_0.20_standard.inst.cfg b/resources/quality/goofoo/goofoo_small_global_0.20_standard.inst.cfg index d596473186..7fcdac2ae8 100644 --- a/resources/quality/goofoo/goofoo_small_global_0.20_standard.inst.cfg +++ b/resources/quality/goofoo/goofoo_small_global_0.20_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/goofoo/goofoo_small_global_0.3_draft.inst.cfg b/resources/quality/goofoo/goofoo_small_global_0.3_draft.inst.cfg index 475f390415..0cfe1d49e9 100644 --- a/resources/quality/goofoo/goofoo_small_global_0.3_draft.inst.cfg +++ b/resources/quality/goofoo/goofoo_small_global_0.3_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_draft.inst.cfg b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_draft.inst.cfg index 74119b5e1d..90a8efdcbc 100644 --- a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_draft.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_efine.inst.cfg b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_efine.inst.cfg index 2ee0c93c1c..8ce9a72624 100644 --- a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_efine.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_fine.inst.cfg b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_fine.inst.cfg index 40ae483309..1e2615124a 100644 --- a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_fine.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_standard.inst.cfg b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_standard.inst.cfg index 9d638347c6..df3e20870a 100644 --- a/resources/quality/goofoo/hips/goofoo_far_0.40_hips_standard.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_far_0.40_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_draft.inst.cfg b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_draft.inst.cfg index 55314ac1bc..80eaecbe1c 100644 --- a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_draft.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_efine.inst.cfg b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_efine.inst.cfg index d972a14688..0781bcd843 100644 --- a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_efine.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_fine.inst.cfg b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_fine.inst.cfg index 0ffbe084b8..21186fbcb1 100644 --- a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_fine.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_standard.inst.cfg b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_standard.inst.cfg index 9b3ca13360..150bd22322 100644 --- a/resources/quality/goofoo/hips/goofoo_near_0.40_hips_standard.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_near_0.40_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_draft.inst.cfg b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_draft.inst.cfg index f0b869f670..e51c294698 100644 --- a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_draft.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_efine.inst.cfg b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_efine.inst.cfg index c1b559fde5..bba1324df4 100644 --- a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_efine.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_fine.inst.cfg b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_fine.inst.cfg index cdd7c0bb20..0c441ab4bb 100644 --- a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_fine.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_hips diff --git a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_standard.inst.cfg b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_standard.inst.cfg index 478fa481cc..f655ad67dd 100644 --- a/resources/quality/goofoo/hips/goofoo_open_0.40_hips_standard.inst.cfg +++ b/resources/quality/goofoo/hips/goofoo_open_0.40_hips_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_hips diff --git a/resources/quality/goofoo/pa/goofoo_far_0.40_pa_fine.inst.cfg b/resources/quality/goofoo/pa/goofoo_far_0.40_pa_fine.inst.cfg index e745db8ca3..1397b95ecb 100644 --- a/resources/quality/goofoo/pa/goofoo_far_0.40_pa_fine.inst.cfg +++ b/resources/quality/goofoo/pa/goofoo_far_0.40_pa_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pa diff --git a/resources/quality/goofoo/pa/goofoo_far_0.40_pa_standard.inst.cfg b/resources/quality/goofoo/pa/goofoo_far_0.40_pa_standard.inst.cfg index b15fe68b31..04be79c0f5 100644 --- a/resources/quality/goofoo/pa/goofoo_far_0.40_pa_standard.inst.cfg +++ b/resources/quality/goofoo/pa/goofoo_far_0.40_pa_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pa diff --git a/resources/quality/goofoo/pa/goofoo_near_0.40_pa_fine.inst.cfg b/resources/quality/goofoo/pa/goofoo_near_0.40_pa_fine.inst.cfg index 54d6a5bc40..e6d1854fa4 100644 --- a/resources/quality/goofoo/pa/goofoo_near_0.40_pa_fine.inst.cfg +++ b/resources/quality/goofoo/pa/goofoo_near_0.40_pa_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pa diff --git a/resources/quality/goofoo/pa/goofoo_near_0.40_pa_standard.inst.cfg b/resources/quality/goofoo/pa/goofoo_near_0.40_pa_standard.inst.cfg index eb210bbec9..34e9a093c4 100644 --- a/resources/quality/goofoo/pa/goofoo_near_0.40_pa_standard.inst.cfg +++ b/resources/quality/goofoo/pa/goofoo_near_0.40_pa_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pa diff --git a/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_fine.inst.cfg b/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_fine.inst.cfg index 36c66c39cb..0740ee1500 100644 --- a/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_fine.inst.cfg +++ b/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pa_cf diff --git a/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_standard.inst.cfg b/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_standard.inst.cfg index bc6476e001..d705d0c9e2 100644 --- a/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_standard.inst.cfg +++ b/resources/quality/goofoo/pa_cf/goofoo_far_0.40_pa_cf_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pa_cf diff --git a/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_fine.inst.cfg b/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_fine.inst.cfg index 12fd771a1a..bdb817d022 100644 --- a/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_fine.inst.cfg +++ b/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pa_cf diff --git a/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_standard.inst.cfg b/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_standard.inst.cfg index 57dfc19541..bc50e0f878 100644 --- a/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_standard.inst.cfg +++ b/resources/quality/goofoo/pa_cf/goofoo_near_0.40_pa_cf_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pa_cf diff --git a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_draft.inst.cfg b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_draft.inst.cfg index 935add424b..caf9b56836 100644 --- a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_draft.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_efine.inst.cfg b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_efine.inst.cfg index 9d2fae0100..4d5c72aaff 100644 --- a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_efine.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_fine.inst.cfg b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_fine.inst.cfg index 41bc0c3492..77210fd479 100644 --- a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_fine.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_standard.inst.cfg b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_standard.inst.cfg index ff56caaeb5..178c2dea37 100644 --- a/resources/quality/goofoo/pc/goofoo_far_0.40_pc_standard.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_far_0.40_pc_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_draft.inst.cfg b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_draft.inst.cfg index 96b240ea3b..ab44fa5f9f 100644 --- a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_draft.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_efine.inst.cfg b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_efine.inst.cfg index 20646335fa..d1b868a1de 100644 --- a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_efine.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_fine.inst.cfg b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_fine.inst.cfg index 77f0c1e8da..9312a1a8d8 100644 --- a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_fine.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pc diff --git a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_standard.inst.cfg b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_standard.inst.cfg index 71e4189297..a351f5a048 100644 --- a/resources/quality/goofoo/pc/goofoo_near_0.40_pc_standard.inst.cfg +++ b/resources/quality/goofoo/pc/goofoo_near_0.40_pc_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pc diff --git a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_draft.inst.cfg b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_draft.inst.cfg index 21fe9cbd45..4478c63159 100644 --- a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_draft.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_efine.inst.cfg b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_efine.inst.cfg index 614752b23f..797333e01b 100644 --- a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_efine.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_fine.inst.cfg b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_fine.inst.cfg index 4cf4103b6e..34c86f4357 100644 --- a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_fine.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_standard.inst.cfg b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_standard.inst.cfg index 6a62d06ba7..fe69f520bb 100644 --- a/resources/quality/goofoo/peek/goofoo_far_0.40_peek_standard.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_far_0.40_peek_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_draft.inst.cfg b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_draft.inst.cfg index 0b234db653..262955022b 100644 --- a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_draft.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_efine.inst.cfg b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_efine.inst.cfg index 0c3400b61c..7f1b4654a1 100644 --- a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_efine.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_fine.inst.cfg b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_fine.inst.cfg index 3496627faf..68ce1a9b4a 100644 --- a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_fine.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_peek diff --git a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_standard.inst.cfg b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_standard.inst.cfg index 9a7bfeb90b..1d7f62800a 100644 --- a/resources/quality/goofoo/peek/goofoo_near_0.40_peek_standard.inst.cfg +++ b/resources/quality/goofoo/peek/goofoo_near_0.40_peek_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_peek diff --git a/resources/quality/goofoo/petg/goofoo_far_0.40_petg_fine.inst.cfg b/resources/quality/goofoo/petg/goofoo_far_0.40_petg_fine.inst.cfg index f0ed6e0628..525490aa59 100644 --- a/resources/quality/goofoo/petg/goofoo_far_0.40_petg_fine.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_far_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_far_0.40_petg_standard.inst.cfg b/resources/quality/goofoo/petg/goofoo_far_0.40_petg_standard.inst.cfg index 80dc71eafc..710199294e 100644 --- a/resources/quality/goofoo/petg/goofoo_far_0.40_petg_standard.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_far_0.40_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_near_0.40_petg_fine.inst.cfg b/resources/quality/goofoo/petg/goofoo_near_0.40_petg_fine.inst.cfg index b0318edce2..0199c1d81d 100644 --- a/resources/quality/goofoo/petg/goofoo_near_0.40_petg_fine.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_near_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_near_0.40_petg_standard.inst.cfg b/resources/quality/goofoo/petg/goofoo_near_0.40_petg_standard.inst.cfg index 02d54aae5e..d7ee652643 100644 --- a/resources/quality/goofoo/petg/goofoo_near_0.40_petg_standard.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_near_0.40_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_open_0.40_petg_fine.inst.cfg b/resources/quality/goofoo/petg/goofoo_open_0.40_petg_fine.inst.cfg index 01b84a0660..94358f1a27 100644 --- a/resources/quality/goofoo/petg/goofoo_open_0.40_petg_fine.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_open_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_open_0.40_petg_standard.inst.cfg b/resources/quality/goofoo/petg/goofoo_open_0.40_petg_standard.inst.cfg index 25a007b76f..b723d2d61c 100644 --- a/resources/quality/goofoo/petg/goofoo_open_0.40_petg_standard.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_open_0.40_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_small_0.40_petg_fine.inst.cfg b/resources/quality/goofoo/petg/goofoo_small_0.40_petg_fine.inst.cfg index 0419249623..c5a958b125 100644 --- a/resources/quality/goofoo/petg/goofoo_small_0.40_petg_fine.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_small_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_petg diff --git a/resources/quality/goofoo/petg/goofoo_small_0.40_petg_standard.inst.cfg b/resources/quality/goofoo/petg/goofoo_small_0.40_petg_standard.inst.cfg index 1d6e4054bc..f005d2bad8 100644 --- a/resources/quality/goofoo/petg/goofoo_small_0.40_petg_standard.inst.cfg +++ b/resources/quality/goofoo/petg/goofoo_small_0.40_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_petg diff --git a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_draft.inst.cfg index 8aa2951c69..73b51ab5ff 100644 --- a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_efine.inst.cfg index 154f5f11dc..4425e54d7d 100644 --- a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_fine.inst.cfg index 6738fb9328..a34545b01e 100644 --- a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_standard.inst.cfg index 6d92442cf4..3f5e9159b2 100644 --- a/resources/quality/goofoo/pla/goofoo_far_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_draft.inst.cfg index 0e9cc15b66..58495a2a2b 100644 --- a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_efine.inst.cfg index af4ec218ac..b731a77136 100644 --- a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_fine.inst.cfg index 8f43e8e7e2..a55d6a7f96 100644 --- a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_standard.inst.cfg index 9a0f3ac0b6..10dd8ff034 100644 --- a/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_bronze_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_draft.inst.cfg index 1e08ec4c77..22031664b5 100644 --- a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_efine.inst.cfg index 5aa60c2973..057dd7ab34 100644 --- a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_fine.inst.cfg index 27178c5c65..b4d87e9364 100644 --- a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_standard.inst.cfg index d0488d80bb..15cd9e5e7a 100644 --- a/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_emarble_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_draft.inst.cfg index 4becebdf46..38632d99c6 100644 --- a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_efine.inst.cfg index e452a36171..c0f3418e79 100644 --- a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_fine.inst.cfg index 8a03feb977..6cb98d5b9c 100644 --- a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_standard.inst.cfg index febde174d8..9117775881 100644 --- a/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_esilk_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_draft.inst.cfg index fb909e38cb..66c9142ecf 100644 --- a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_efine.inst.cfg index 8238984d2c..a89a78d076 100644 --- a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_fine.inst.cfg index 7883269375..99184c56e2 100644 --- a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_standard.inst.cfg index 8370c63ba9..4487faadc9 100644 --- a/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_far_wood_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_draft.inst.cfg index fdefd67acf..6a8a175cf7 100644 --- a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_efine.inst.cfg index 3282cf0173..9540879e78 100644 --- a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_fine.inst.cfg index 49611733fb..53166d7a1e 100644 --- a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_standard.inst.cfg index 3c44b1f90e..64ac842295 100644 --- a/resources/quality/goofoo/pla/goofoo_near_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_draft.inst.cfg index 0c454d674a..f000584e7f 100644 --- a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_efine.inst.cfg index 877cbcf399..318bb6065b 100644 --- a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_fine.inst.cfg index d87a398d61..82c0fd09cd 100644 --- a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_standard.inst.cfg index b77ac1f183..cd5165d2c6 100644 --- a/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_bronze_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_bronze_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_draft.inst.cfg index ea64822186..8ab4f4ad55 100644 --- a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_efine.inst.cfg index 06223bb55d..c756bd1b9a 100644 --- a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_fine.inst.cfg index 239a3e3742..93b61849fd 100644 --- a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_standard.inst.cfg index c29e6a8cbc..9b4435a05e 100644 --- a/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_emarble_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_draft.inst.cfg index 32da766309..78ebc8d2b5 100644 --- a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_efine.inst.cfg index dd2447f2d4..fd308fa086 100644 --- a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_fine.inst.cfg index 440d1533fd..6e7c0d6a07 100644 --- a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_standard.inst.cfg index 0b9cba8b35..7a143f3125 100644 --- a/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_esilk_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_draft.inst.cfg index 429b401321..17174565a7 100644 --- a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_efine.inst.cfg index 68fb68a880..e0fa90861a 100644 --- a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_fine.inst.cfg index 2925960417..955341ce11 100644 --- a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_standard.inst.cfg index 8038f8737b..a911f4aada 100644 --- a/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_near_wood_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_draft.inst.cfg index 1e0a789cf2..aef5cc9cf4 100644 --- a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_efine.inst.cfg index ead2dc9de0..2d7f5740a8 100644 --- a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_fine.inst.cfg index d5a056cd2c..7fe7e3d2dc 100644 --- a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_standard.inst.cfg index 4a9be1f477..95855ea283 100644 --- a/resources/quality/goofoo/pla/goofoo_open_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_draft.inst.cfg index 2233df389a..3f7f8c804c 100644 --- a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_efine.inst.cfg index 7aa0c76692..fadd2f6741 100644 --- a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_fine.inst.cfg index 4d9238565e..f1b2e414c2 100644 --- a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_standard.inst.cfg index 5e25208a82..a52db1a644 100644 --- a/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_emarble_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_draft.inst.cfg index d5d304a405..107194df51 100644 --- a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_efine.inst.cfg index fcb34f65e4..a2470b0533 100644 --- a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_fine.inst.cfg index 34f29358ce..d9bb81ae6b 100644 --- a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_standard.inst.cfg index 8f6ccee841..c2cf11a08a 100644 --- a/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_esilk_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_draft.inst.cfg index fe696a1b69..0960c1666a 100644 --- a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_efine.inst.cfg index cf87f8bf6a..353b8428f8 100644 --- a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_fine.inst.cfg index 29970949ee..3d227823e7 100644 --- a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_standard.inst.cfg index 3e4e45d87a..f017015daf 100644 --- a/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_open_wood_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_draft.inst.cfg index 96d364a4fb..57e6c505f7 100644 --- a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_efine.inst.cfg index 25a687d2ac..a7f56a7c01 100644 --- a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_fine.inst.cfg index 0a7c292ad2..61c0d5265b 100644 --- a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_standard.inst.cfg index 014d41b2fe..3836dcf00e 100644 --- a/resources/quality/goofoo/pla/goofoo_small_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_draft.inst.cfg index 890df61b70..d8cd083710 100644 --- a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_efine.inst.cfg index d7a76365dc..9d2a271852 100644 --- a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_fine.inst.cfg index 4525b37e25..cf29a5db79 100644 --- a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_standard.inst.cfg index 28ce12536a..46f191e7ff 100644 --- a/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_emarble_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_emarble_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_draft.inst.cfg index d01ac81bcd..33f1a0e458 100644 --- a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_efine.inst.cfg index 90a3519945..2e92dcbf68 100644 --- a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_fine.inst.cfg index d7171082c9..bd8c6a6e93 100644 --- a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_standard.inst.cfg index 035b8e7483..c43d3c94c2 100644 --- a/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_esilk_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_esilk_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_draft.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_draft.inst.cfg index e109a03c6d..322c2a8941 100644 --- a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_draft.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_efine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_efine.inst.cfg index 695c59f212..a5745fd0b0 100644 --- a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_efine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_fine.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_fine.inst.cfg index 4180a759ca..effc394e91 100644 --- a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_fine.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_standard.inst.cfg b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_standard.inst.cfg index 57db41164d..d12851dba1 100644 --- a/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_standard.inst.cfg +++ b/resources/quality/goofoo/pla/goofoo_small_wood_0.40_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_small [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_wood_pla diff --git a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_draft.inst.cfg b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_draft.inst.cfg index 317cbe7dce..cf84c88014 100644 --- a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_draft.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_efine.inst.cfg b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_efine.inst.cfg index 2ca7b2b196..2267a90cfe 100644 --- a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_efine.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_fine.inst.cfg b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_fine.inst.cfg index c2de19fe96..ee3aaa1c5b 100644 --- a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_fine.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_standard.inst.cfg b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_standard.inst.cfg index 21cfe20665..2da012264d 100644 --- a/resources/quality/goofoo/pva/goofoo_far_0.40_pva_standard.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_far_0.40_pva_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_draft.inst.cfg b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_draft.inst.cfg index 119a28e82a..a05337899c 100644 --- a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_draft.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_efine.inst.cfg b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_efine.inst.cfg index d83bc1626e..904abd63f0 100644 --- a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_efine.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_fine.inst.cfg b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_fine.inst.cfg index c1547ac172..1bb269a4ec 100644 --- a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_fine.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_standard.inst.cfg b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_standard.inst.cfg index 74759a0221..d7e8168516 100644 --- a/resources/quality/goofoo/pva/goofoo_near_0.40_pva_standard.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_near_0.40_pva_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_draft.inst.cfg b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_draft.inst.cfg index 4f7f2d1680..e5feee283d 100644 --- a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_draft.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_efine.inst.cfg b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_efine.inst.cfg index bf5a51cb4c..ac336f5052 100644 --- a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_efine.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_fine.inst.cfg b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_fine.inst.cfg index 4c611dd157..55541f0f58 100644 --- a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_fine.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_pva diff --git a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_standard.inst.cfg b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_standard.inst.cfg index 3794509b1a..dcf2590cbb 100644 --- a/resources/quality/goofoo/pva/goofoo_open_0.40_pva_standard.inst.cfg +++ b/resources/quality/goofoo/pva/goofoo_open_0.40_pva_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_open [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_pva diff --git a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_draft.inst.cfg b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_draft.inst.cfg index 07034bfb63..29adbdf9a9 100644 --- a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_draft.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_efine.inst.cfg b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_efine.inst.cfg index 7440b691d4..dea4ba0e8f 100644 --- a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_efine.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_fine.inst.cfg b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_fine.inst.cfg index dc6545cc2b..2cc3e4b56b 100644 --- a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_fine.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_standard.inst.cfg b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_standard.inst.cfg index 559a316e32..6db8b6c7fb 100644 --- a/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_standard.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_far_0.40_tpe_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_draft.inst.cfg b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_draft.inst.cfg index 0a31a56f9a..5b8a77323f 100644 --- a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_draft.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_efine.inst.cfg b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_efine.inst.cfg index 24f8138cb8..cfcff9208b 100644 --- a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_efine.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_fine.inst.cfg b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_fine.inst.cfg index 6584ddae94..dc159f67a9 100644 --- a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_fine.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_standard.inst.cfg b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_standard.inst.cfg index 2aee1c10ef..fbc7c2e58b 100644 --- a/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_standard.inst.cfg +++ b/resources/quality/goofoo/tpe/goofoo_near_0.40_tpe_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_tpe_83a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_draft.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_draft.inst.cfg index 995c156ed3..711e6ade5b 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_draft.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_tpu_87a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_fine.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_fine.inst.cfg index 68af0a0dfd..492f22ec5b 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_fine.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_tpu_87a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_standard.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_standard.inst.cfg index f11371efbd..635d1a43cb 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_standard.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_87a_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_tpu_87a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_draft.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_draft.inst.cfg index 3040c18120..e107a2620e 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_draft.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_efine.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_efine.inst.cfg index 72bb937b47..001d804fc7 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_efine.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_fine.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_fine.inst.cfg index 81f7d624be..84628d75e9 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_fine.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_standard.inst.cfg b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_standard.inst.cfg index bb8f171c7c..668d3dd551 100644 --- a/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_standard.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_far_0.40_tpu_95a_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_far [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_draft.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_draft.inst.cfg index 09ef566bb6..2a1db14b7d 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_draft.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_tpu_87a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_fine.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_fine.inst.cfg index 357588eafb..9eb8f9e3eb 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_fine.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_tpu_87a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_standard.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_standard.inst.cfg index 782776c299..bb3ea4c8f3 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_standard.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_87a_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_tpu_87a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_draft.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_draft.inst.cfg index 516914443e..96729ba848 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_draft.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_efine.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_efine.inst.cfg index 0952e00567..49b9b4e026 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_efine.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_efine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = efine material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_fine.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_fine.inst.cfg index dba733debf..af0af37bb6 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_fine.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = goofoo_tpu_95a diff --git a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_standard.inst.cfg b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_standard.inst.cfg index ac533099aa..3fca6e093c 100644 --- a/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_standard.inst.cfg +++ b/resources/quality/goofoo/tpu/goofoo_near_0.40_tpu_95a_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = goofoo_near [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = goofoo_tpu_95a diff --git a/resources/quality/high.inst.cfg b/resources/quality/high.inst.cfg index 83b3338394..5c3c63aedc 100644 --- a/resources/quality/high.inst.cfg +++ b/resources/quality/high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/hms434/hms434_global_Coarse_Quality.inst.cfg b/resources/quality/hms434/hms434_global_Coarse_Quality.inst.cfg index 33759b9954..fe06d9af05 100644 --- a/resources/quality/hms434/hms434_global_Coarse_Quality.inst.cfg +++ b/resources/quality/hms434/hms434_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = hms434 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/hms434/hms434_global_High_Quality.inst.cfg b/resources/quality/hms434/hms434_global_High_Quality.inst.cfg index 4ea8a6e3c0..c4ab6f85f0 100644 --- a/resources/quality/hms434/hms434_global_High_Quality.inst.cfg +++ b/resources/quality/hms434/hms434_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = hms434 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/hms434/hms434_global_Normal_Quality.inst.cfg b/resources/quality/hms434/hms434_global_Normal_Quality.inst.cfg index fe43574013..9e1e410426 100644 --- a/resources/quality/hms434/hms434_global_Normal_Quality.inst.cfg +++ b/resources/quality/hms434/hms434_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = hms434 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/hms434/pla/hms434_0.4_pla_high.inst.cfg b/resources/quality/hms434/pla/hms434_0.4_pla_high.inst.cfg index bbddd32645..88604f3f02 100644 --- a/resources/quality/hms434/pla/hms434_0.4_pla_high.inst.cfg +++ b/resources/quality/hms434/pla/hms434_0.4_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = hms434 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_coarse.inst.cfg b/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_coarse.inst.cfg index 0193e83da7..79cda10634 100644 --- a/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_coarse.inst.cfg +++ b/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_fine.inst.cfg b/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_fine.inst.cfg index 5e478b672d..e7b991812f 100644 --- a/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_fine.inst.cfg +++ b/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_medium.inst.cfg b/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_medium.inst.cfg index 582c43806f..c07f2a5bf1 100644 --- a/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_medium.inst.cfg +++ b/resources/quality/imade3d_jellybox/PETG/jbo_generic_petg_0.4_medium.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_coarse.inst.cfg b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_coarse.inst.cfg index 3bac88e3f4..56d0867927 100644 --- a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_coarse.inst.cfg +++ b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_fine.inst.cfg b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_fine.inst.cfg index 4a8af3753c..909f5e3cfa 100644 --- a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_fine.inst.cfg +++ b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_medium.inst.cfg b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_medium.inst.cfg index 10aac89f47..cfb25305ca 100644 --- a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_medium.inst.cfg +++ b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_medium.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_ultrafine.inst.cfg b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_ultrafine.inst.cfg index 103c286400..91a28ddadb 100644 --- a/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_ultrafine.inst.cfg +++ b/resources/quality/imade3d_jellybox/PLA/jbo_generic_pla_0.4_ultrafine.inst.cfg @@ -4,7 +4,7 @@ name = UltraFine definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrahigh weight = 2 diff --git a/resources/quality/imade3d_jellybox/imade3d_jellybox_coarse.inst.cfg b/resources/quality/imade3d_jellybox/imade3d_jellybox_coarse.inst.cfg index acc2f330fd..04289b14d8 100644 --- a/resources/quality/imade3d_jellybox/imade3d_jellybox_coarse.inst.cfg +++ b/resources/quality/imade3d_jellybox/imade3d_jellybox_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/imade3d_jellybox/imade3d_jellybox_fine.inst.cfg b/resources/quality/imade3d_jellybox/imade3d_jellybox_fine.inst.cfg index d2e0819a31..14e43fe04e 100644 --- a/resources/quality/imade3d_jellybox/imade3d_jellybox_fine.inst.cfg +++ b/resources/quality/imade3d_jellybox/imade3d_jellybox_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox/imade3d_jellybox_normal.inst.cfg b/resources/quality/imade3d_jellybox/imade3d_jellybox_normal.inst.cfg index d1e053b6b2..baa67ddeb2 100644 --- a/resources/quality/imade3d_jellybox/imade3d_jellybox_normal.inst.cfg +++ b/resources/quality/imade3d_jellybox/imade3d_jellybox_normal.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/imade3d_jellybox/imade3d_jellybox_ultrafine.inst.cfg b/resources/quality/imade3d_jellybox/imade3d_jellybox_ultrafine.inst.cfg index 7aee965a01..cf26ceb2f4 100644 --- a/resources/quality/imade3d_jellybox/imade3d_jellybox_ultrafine.inst.cfg +++ b/resources/quality/imade3d_jellybox/imade3d_jellybox_ultrafine.inst.cfg @@ -4,7 +4,7 @@ name = UltraFine definition = imade3d_jellybox [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrahigh weight = 2 diff --git a/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_coarse.inst.cfg b/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_coarse.inst.cfg index 8bb7fb6240..f4e1787dbd 100644 --- a/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_coarse.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_fine.inst.cfg b/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_fine.inst.cfg index b65c887fa6..81cbb2a07f 100644 --- a/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_fine.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_medium.inst.cfg b/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_medium.inst.cfg index bcb1862ab4..033498cb1b 100644 --- a/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_medium.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PETG/jb2_generic_petg_0.4_medium.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_coarse.inst.cfg b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_coarse.inst.cfg index 1e72192498..547f8c4944 100644 --- a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_coarse.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_fine.inst.cfg b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_fine.inst.cfg index fa5ec81052..0d33eb2d97 100644 --- a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_fine.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_medium.inst.cfg b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_medium.inst.cfg index 8386446416..e446552fe3 100644 --- a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_medium.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_medium.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_ultrafine.inst.cfg b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_ultrafine.inst.cfg index c6d24ac37f..f4f9f81184 100644 --- a/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_ultrafine.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/PLA/jb2_generic_pla_0.4_ultrafine.inst.cfg @@ -4,7 +4,7 @@ name = UltraFine definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrahigh weight = 2 diff --git a/resources/quality/imade3d_jellybox_2/jb2_global_coarse.inst.cfg b/resources/quality/imade3d_jellybox_2/jb2_global_coarse.inst.cfg index 53cd8642ef..586dfd28fa 100644 --- a/resources/quality/imade3d_jellybox_2/jb2_global_coarse.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/jb2_global_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/imade3d_jellybox_2/jb2_global_fine.inst.cfg b/resources/quality/imade3d_jellybox_2/jb2_global_fine.inst.cfg index 3b16e55647..c20c79abce 100644 --- a/resources/quality/imade3d_jellybox_2/jb2_global_fine.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/jb2_global_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/imade3d_jellybox_2/jb2_global_normal.inst.cfg b/resources/quality/imade3d_jellybox_2/jb2_global_normal.inst.cfg index 1db81b2cf1..863d583e87 100644 --- a/resources/quality/imade3d_jellybox_2/jb2_global_normal.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/jb2_global_normal.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/imade3d_jellybox_2/jb2_global_ultrafine.inst.cfg b/resources/quality/imade3d_jellybox_2/jb2_global_ultrafine.inst.cfg index 56b46dc43f..1297783fb3 100644 --- a/resources/quality/imade3d_jellybox_2/jb2_global_ultrafine.inst.cfg +++ b/resources/quality/imade3d_jellybox_2/jb2_global_ultrafine.inst.cfg @@ -4,7 +4,7 @@ name = UltraFine definition = imade3d_jellybox_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrahigh weight = 2 diff --git a/resources/quality/inat/inat_base_advanced_materials.inst.cfg b/resources/quality/inat/inat_base_advanced_materials.inst.cfg index ef73ae3b91..90b622caea 100644 --- a/resources/quality/inat/inat_base_advanced_materials.inst.cfg +++ b/resources/quality/inat/inat_base_advanced_materials.inst.cfg @@ -4,7 +4,7 @@ name = Advanced materials definition = inat_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal_advanced weight = -1 diff --git a/resources/quality/inat/inat_base_draft.inst.cfg b/resources/quality/inat/inat_base_draft.inst.cfg index 3e6511a838..b121b09a03 100644 --- a/resources/quality/inat/inat_base_draft.inst.cfg +++ b/resources/quality/inat/inat_base_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = inat_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/inat/inat_base_fine.inst.cfg b/resources/quality/inat/inat_base_fine.inst.cfg index b229b5e04d..1892abee00 100644 --- a/resources/quality/inat/inat_base_fine.inst.cfg +++ b/resources/quality/inat/inat_base_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = inat_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 1 diff --git a/resources/quality/inat/inat_base_standard.inst.cfg b/resources/quality/inat/inat_base_standard.inst.cfg index 02a72551c7..c02cfe0d1e 100644 --- a/resources/quality/inat/inat_base_standard.inst.cfg +++ b/resources/quality/inat/inat_base_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = inat_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = 0 diff --git a/resources/quality/inat/inat_base_strong.inst.cfg b/resources/quality/inat/inat_base_strong.inst.cfg index 6428168496..25da61ef3e 100644 --- a/resources/quality/inat/inat_base_strong.inst.cfg +++ b/resources/quality/inat/inat_base_strong.inst.cfg @@ -4,7 +4,7 @@ name = Strong definition = inat_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = strong weight = -3 diff --git a/resources/quality/inat/inat_base_tree_support.inst.cfg b/resources/quality/inat/inat_base_tree_support.inst.cfg index e84f1c88a3..1913667a16 100644 --- a/resources/quality/inat/inat_base_tree_support.inst.cfg +++ b/resources/quality/inat/inat_base_tree_support.inst.cfg @@ -4,7 +4,7 @@ name = Tree supports definition = inat_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal_tree_supp weight = -2 @@ -14,3 +14,4 @@ global_quality = True support_structure = tree support_type = buildplate support_enable = True +support_top_distance = 0.4 \ No newline at end of file diff --git a/resources/quality/jgaurora_a6/jgaurora_a6_0.12_detail.inst.cfg b/resources/quality/jgaurora_a6/jgaurora_a6_0.12_detail.inst.cfg index 0b32fe582b..1a54397392 100644 --- a/resources/quality/jgaurora_a6/jgaurora_a6_0.12_detail.inst.cfg +++ b/resources/quality/jgaurora_a6/jgaurora_a6_0.12_detail.inst.cfg @@ -4,7 +4,7 @@ name = Detail 0.12 definition = jgaurora_a6 [metadata] -setting_version = 18 +setting_version = 19 quality_type = detail type = quality weight = 0 diff --git a/resources/quality/jgaurora_a6/jgaurora_a6_0.16_optimal.inst.cfg b/resources/quality/jgaurora_a6/jgaurora_a6_0.16_optimal.inst.cfg index 0d38b06003..c5135278f5 100644 --- a/resources/quality/jgaurora_a6/jgaurora_a6_0.16_optimal.inst.cfg +++ b/resources/quality/jgaurora_a6/jgaurora_a6_0.16_optimal.inst.cfg @@ -5,7 +5,7 @@ definition = jgaurora_a6 [metadata] quality_type = optimal -setting_version = 18 +setting_version = 19 type = quality weight = -1 global_quality = true diff --git a/resources/quality/jgaurora_a6/jgaurora_a6_0.24_draft.inst.cfg b/resources/quality/jgaurora_a6/jgaurora_a6_0.24_draft.inst.cfg index 4e685c078b..8f39a5735a 100644 --- a/resources/quality/jgaurora_a6/jgaurora_a6_0.24_draft.inst.cfg +++ b/resources/quality/jgaurora_a6/jgaurora_a6_0.24_draft.inst.cfg @@ -5,7 +5,7 @@ definition = jgaurora_a6 [metadata] quality_type = draft -setting_version = 18 +setting_version = 19 type = quality weight = -3 global_quality = true diff --git a/resources/quality/jgaurora_a6/jgaurora_a6_0.28_fast.inst.cfg.txt b/resources/quality/jgaurora_a6/jgaurora_a6_0.28_fast.inst.cfg.txt index fec1807b9e..89f09b6a8c 100644 --- a/resources/quality/jgaurora_a6/jgaurora_a6_0.28_fast.inst.cfg.txt +++ b/resources/quality/jgaurora_a6/jgaurora_a6_0.28_fast.inst.cfg.txt @@ -5,7 +5,7 @@ definition = jgaurora_a6 [metadata] quality_type = fast -setting_version = 18 +setting_version = 19 type = quality weight = -4 global_quality = true diff --git a/resources/quality/jgaurora_a6/jgaurora_a6_0.2_normal.inst.cfg b/resources/quality/jgaurora_a6/jgaurora_a6_0.2_normal.inst.cfg index b3562ec332..ddd15f1ec5 100644 --- a/resources/quality/jgaurora_a6/jgaurora_a6_0.2_normal.inst.cfg +++ b/resources/quality/jgaurora_a6/jgaurora_a6_0.2_normal.inst.cfg @@ -5,7 +5,7 @@ definition = jgaurora_a6 [metadata] quality_type = normal -setting_version = 18 +setting_version = 19 type = quality weight = -2 global_quality = true diff --git a/resources/quality/katihal/alya3dp_normal.inst.cfg b/resources/quality/katihal/alya3dp_normal.inst.cfg index 9ad411da9a..cf553408e1 100644 --- a/resources/quality/katihal/alya3dp_normal.inst.cfg +++ b/resources/quality/katihal/alya3dp_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = alya3dp [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = alya_normal weight = 0 diff --git a/resources/quality/katihal/alya3dp_normal_generic_pla.inst.cfg b/resources/quality/katihal/alya3dp_normal_generic_pla.inst.cfg index 80cce324ae..83cc457ccc 100644 --- a/resources/quality/katihal/alya3dp_normal_generic_pla.inst.cfg +++ b/resources/quality/katihal/alya3dp_normal_generic_pla.inst.cfg @@ -4,7 +4,7 @@ definition = alya3dp name = Normal [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = alya_normal weight = 3 diff --git a/resources/quality/katihal/alyanx3dp_normal.inst.cfg b/resources/quality/katihal/alyanx3dp_normal.inst.cfg index 0f2978b335..76ff301629 100644 --- a/resources/quality/katihal/alyanx3dp_normal.inst.cfg +++ b/resources/quality/katihal/alyanx3dp_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = alyanx3dp [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = alyanx_normal weight = 0 diff --git a/resources/quality/katihal/alyanx3dp_normal_generic_pla.inst.cfg b/resources/quality/katihal/alyanx3dp_normal_generic_pla.inst.cfg index 080df07f2e..b69ac137e8 100644 --- a/resources/quality/katihal/alyanx3dp_normal_generic_pla.inst.cfg +++ b/resources/quality/katihal/alyanx3dp_normal_generic_pla.inst.cfg @@ -4,7 +4,7 @@ definition = alyanx3dp name = Normal [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = alyanx_normal weight = 2 diff --git a/resources/quality/katihal/kupido_normal.inst.cfg b/resources/quality/katihal/kupido_normal.inst.cfg index 0516f20455..f835f5c36a 100644 --- a/resources/quality/katihal/kupido_normal.inst.cfg +++ b/resources/quality/katihal/kupido_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = kupido [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = kupido_normal weight = 0 diff --git a/resources/quality/katihal/kupido_normal_generic_abs.inst.cfg b/resources/quality/katihal/kupido_normal_generic_abs.inst.cfg index 6d934c3c7b..5f9f4c1828 100644 --- a/resources/quality/katihal/kupido_normal_generic_abs.inst.cfg +++ b/resources/quality/katihal/kupido_normal_generic_abs.inst.cfg @@ -4,7 +4,7 @@ definition = kupido name = Normal [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = kupido_normal weight = 3 diff --git a/resources/quality/katihal/kupido_normal_generic_pla.inst.cfg b/resources/quality/katihal/kupido_normal_generic_pla.inst.cfg index 242a8ed1e5..f41bce60e3 100644 --- a/resources/quality/katihal/kupido_normal_generic_pla.inst.cfg +++ b/resources/quality/katihal/kupido_normal_generic_pla.inst.cfg @@ -4,7 +4,7 @@ definition = kupido name = Normal [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = kupido_normal weight = 3 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_draft.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_draft.inst.cfg index 23c06838cb..984fd5abcf 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_draft.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_extra_fine.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_extra_fine.inst.cfg index d5b9c82457..55bc97235c 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_extra_fine.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_extra_fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_fine.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_fine.inst.cfg index bd656ceed7..b111b8cf1e 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_fine.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_low.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_low.inst.cfg index a8d0d0bea3..69135e8f84 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_low.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_normal.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_normal.inst.cfg index 32f8bf16cc..cede6879dd 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_abs_normal.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_draft.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_draft.inst.cfg index 1f53e794d3..6e9994b429 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_draft.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_extra_fine.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_extra_fine.inst.cfg index c4f2c4428d..7a05cd4693 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_extra_fine.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_extra_fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_fine.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_fine.inst.cfg index 1b6462c4bd..f57f37f2df 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_fine.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_low.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_low.inst.cfg index 006a3c2e0c..0cd6344286 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_low.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_normal.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_normal.inst.cfg index f1ecf3eccf..367cad9cc0 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_beta_pla_normal.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_beta_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = kemiq_q2_beta [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_draft.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_draft.inst.cfg index f3a9c4264a..fa31e52de7 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_draft.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = kemiq_q2_gama [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_extra_fine.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_extra_fine.inst.cfg index 22c75d66af..4df024de7f 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_extra_fine.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_extra_fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = kemiq_q2_gama [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_fine.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_fine.inst.cfg index b72065320d..2f4868bca4 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_fine.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = kemiq_q2_gama [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_low.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_low.inst.cfg index 24231be62e..1cf4e77b63 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_low.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = kemiq_q2_gama [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_normal.inst.cfg b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_normal.inst.cfg index 33387bd6fd..dd7fbe25d1 100644 --- a/resources/quality/kemiq_q2/kemiq_q2_gama_pla_normal.inst.cfg +++ b/resources/quality/kemiq_q2/kemiq_q2_gama_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = kemiq_q2_gama [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/key3d/key3d_tyro_best.inst.cfg b/resources/quality/key3d/key3d_tyro_best.inst.cfg index c24ff3e226..d6db1f83da 100644 --- a/resources/quality/key3d/key3d_tyro_best.inst.cfg +++ b/resources/quality/key3d/key3d_tyro_best.inst.cfg @@ -4,7 +4,7 @@ name = Best Quality definition = key3d_tyro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = best weight = 1 diff --git a/resources/quality/key3d/key3d_tyro_fast.inst.cfg b/resources/quality/key3d/key3d_tyro_fast.inst.cfg index f78439d850..7b33630c3b 100644 --- a/resources/quality/key3d/key3d_tyro_fast.inst.cfg +++ b/resources/quality/key3d/key3d_tyro_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast Quality definition = key3d_tyro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/key3d/key3d_tyro_normal.inst.cfg b/resources/quality/key3d/key3d_tyro_normal.inst.cfg index 0946b26bc8..fc6e2a93aa 100644 --- a/resources/quality/key3d/key3d_tyro_normal.inst.cfg +++ b/resources/quality/key3d/key3d_tyro_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = key3d_tyro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/kingroon/ABS/kingroon_0.2_ABS_super.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.2_ABS_super.inst.cfg index 8e2cfbd3ed..802c7a63ea 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.2_ABS_super.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.2_ABS_ultra.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.2_ABS_ultra.inst.cfg index 32629b304e..3a36551b2e 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.2_ABS_ultra.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.2_ABS_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_adaptive.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_adaptive.inst.cfg index 862de82f01..05a5e9c299 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_adaptive.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_low.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_low.inst.cfg index 13f226df34..6a5c3a2b45 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_low.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_standard.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_standard.inst.cfg index 28147b57be..79a14c732f 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_standard.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_super.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_super.inst.cfg index d3ce7b0f3d..cd5d1f21bd 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.3_ABS_super.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.3_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_adaptive.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_adaptive.inst.cfg index 6f388c0131..1e06641a54 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_low.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_low.inst.cfg index 3ba199e367..e5b154502e 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_low.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_standard.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_standard.inst.cfg index 7ad1aadd12..3524f3a047 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_standard.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_super.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_super.inst.cfg index d54a22ebc1..84f389eeb4 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.4_ABS_super.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_adaptive.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_adaptive.inst.cfg index bc17d9a3eb..132809d0c5 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_adaptive.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_low.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_low.inst.cfg index 6f3005fc4a..fb86e6b2fc 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_low.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_standard.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_standard.inst.cfg index 1fad39bec7..a26b97097d 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_standard.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_super.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_super.inst.cfg index 70af85c84b..5f914a24dc 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.5_ABS_super.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.5_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.6_ABS_standard.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.6_ABS_standard.inst.cfg index 217f25f779..98896a6011 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.6_ABS_standard.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.6_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_0.8_ABS_draft.inst.cfg b/resources/quality/kingroon/ABS/kingroon_0.8_ABS_draft.inst.cfg index 6f727bdbad..e137fd2e0f 100644 --- a/resources/quality/kingroon/ABS/kingroon_0.8_ABS_draft.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_0.8_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/kingroon/ABS/kingroon_1.0_ABS_draft.inst.cfg b/resources/quality/kingroon/ABS/kingroon_1.0_ABS_draft.inst.cfg index ecf7676d00..4ebcd932ba 100644 --- a/resources/quality/kingroon/ABS/kingroon_1.0_ABS_draft.inst.cfg +++ b/resources/quality/kingroon/ABS/kingroon_1.0_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/kingroon/PETG/kingroon_0.2_PETG_super.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.2_PETG_super.inst.cfg index e0a4a6afb0..95d2ce7d41 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.2_PETG_super.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.2_PETG_ultra.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.2_PETG_ultra.inst.cfg index d8ea3867fa..f5731b51d5 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.2_PETG_ultra.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.2_PETG_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_adaptive.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_adaptive.inst.cfg index 7a25e34d7d..cc519fbe84 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_adaptive.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_low.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_low.inst.cfg index e43aaac4a7..5d1aff5fa8 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_low.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_standard.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_standard.inst.cfg index 69a76496a1..c5a2eefee9 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_standard.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_super.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_super.inst.cfg index 2dec7e35bc..0a94bfa633 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.3_PETG_super.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.3_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_adaptive.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_adaptive.inst.cfg index 40cc3392dd..cf3f3ba748 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_low.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_low.inst.cfg index c6e4c25958..7288c16965 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_low.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_standard.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_standard.inst.cfg index dd1feb95ba..336cab73c9 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_standard.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_super.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_super.inst.cfg index 270cb971eb..23c3c8d7d4 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.4_PETG_super.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_adaptive.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_adaptive.inst.cfg index 8baccef8a8..f2f69e763d 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_adaptive.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_low.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_low.inst.cfg index 172c08a423..31e9afe552 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_low.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_standard.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_standard.inst.cfg index d270627723..d5c179cc88 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_standard.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_super.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_super.inst.cfg index 5aa930b929..430fa0ae3a 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.5_PETG_super.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.5_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.6_PETG_standard.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.6_PETG_standard.inst.cfg index ef19d4b50d..2ad9b28b11 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.6_PETG_standard.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.6_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_0.8_PETG_draft.inst.cfg b/resources/quality/kingroon/PETG/kingroon_0.8_PETG_draft.inst.cfg index 8cb70662b8..00e71375e5 100644 --- a/resources/quality/kingroon/PETG/kingroon_0.8_PETG_draft.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_0.8_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/kingroon/PETG/kingroon_1.0_PETG_draft.inst.cfg b/resources/quality/kingroon/PETG/kingroon_1.0_PETG_draft.inst.cfg index 9950fcfc1f..36c9cc9f94 100644 --- a/resources/quality/kingroon/PETG/kingroon_1.0_PETG_draft.inst.cfg +++ b/resources/quality/kingroon/PETG/kingroon_1.0_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/kingroon/PLA/kingroon_0.2_PLA_super.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.2_PLA_super.inst.cfg index e97c70def3..50d3092730 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.2_PLA_super.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.2_PLA_ultra.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.2_PLA_ultra.inst.cfg index 4c387dcf2d..a69e4bce6f 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.2_PLA_ultra.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.2_PLA_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_adaptive.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_adaptive.inst.cfg index 215b6d3a40..678711bc98 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_adaptive.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_low.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_low.inst.cfg index db92bbb5a9..203b5a7e20 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_low.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_standard.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_standard.inst.cfg index f80d2fc10c..d91d4dfaef 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_standard.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_super.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_super.inst.cfg index c247410b91..085a64656c 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.3_PLA_super.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.3_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_adaptive.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_adaptive.inst.cfg index 85a5386ea3..9de8354358 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_low.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_low.inst.cfg index 90f2591ca9..bc47c8f11c 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_low.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_standard.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_standard.inst.cfg index 0fcaf18b31..e042e7ed9a 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_standard.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_super.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_super.inst.cfg index 97e499aa52..084373fbd4 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.4_PLA_super.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_adaptive.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_adaptive.inst.cfg index f6aa7cf863..9755924b34 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_adaptive.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_low.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_low.inst.cfg index b738866602..5607af1572 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_low.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_standard.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_standard.inst.cfg index c31108f1c1..64ee4a4e36 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_standard.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_super.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_super.inst.cfg index 28e1dcc627..e20d4f8646 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.5_PLA_super.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.5_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.6_PLA_draft.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.6_PLA_draft.inst.cfg index 1bff568420..6189e4ea7f 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.6_PLA_draft.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.6_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.6_PLA_low.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.6_PLA_low.inst.cfg index 24be63fdf4..70d6814773 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.6_PLA_low.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.6_PLA_standard.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.6_PLA_standard.inst.cfg index 4dce34495f..00c8fdf4d4 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.6_PLA_standard.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.6_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_0.8_PLA_draft.inst.cfg b/resources/quality/kingroon/PLA/kingroon_0.8_PLA_draft.inst.cfg index d2bdbe5494..ded650d5cc 100644 --- a/resources/quality/kingroon/PLA/kingroon_0.8_PLA_draft.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_0.8_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/kingroon/PLA/kingroon_1.0_PLA_draft.inst.cfg b/resources/quality/kingroon/PLA/kingroon_1.0_PLA_draft.inst.cfg index 7ff407bec4..43f4cf9dcc 100644 --- a/resources/quality/kingroon/PLA/kingroon_1.0_PLA_draft.inst.cfg +++ b/resources/quality/kingroon/PLA/kingroon_1.0_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/kingroon/TPU/kingroon_0.3_TPU_adaptive.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.3_TPU_adaptive.inst.cfg index a0b2532aec..a9f1f93c27 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.3_TPU_adaptive.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.3_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.3_TPU_standard.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.3_TPU_standard.inst.cfg index ddf5e67ee9..b30b6de647 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.3_TPU_standard.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.3_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.3_TPU_super.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.3_TPU_super.inst.cfg index fc765ad8a6..c2eba2b574 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.3_TPU_super.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.3_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.4_TPU_adaptive.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.4_TPU_adaptive.inst.cfg index 4248a065d6..2bde9d8a92 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.4_TPU_standard.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.4_TPU_standard.inst.cfg index f5ad63d24b..f735a8cc2f 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.4_TPU_standard.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.4_TPU_super.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.4_TPU_super.inst.cfg index 332ea03853..96d45166d5 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.4_TPU_super.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.5_TPU_adaptive.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.5_TPU_adaptive.inst.cfg index cd9a4e73a6..cf8458f281 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.5_TPU_adaptive.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.5_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.5_TPU_standard.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.5_TPU_standard.inst.cfg index e07cd1fb53..f607fb1bc7 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.5_TPU_standard.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.5_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.5_TPU_super.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.5_TPU_super.inst.cfg index 06093c329a..279ca0348c 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.5_TPU_super.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.5_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.6_TPU_standard.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.6_TPU_standard.inst.cfg index 893ff5ff62..4abe9acc75 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.6_TPU_standard.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.6_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_0.8_TPU_draft.inst.cfg b/resources/quality/kingroon/TPU/kingroon_0.8_TPU_draft.inst.cfg index a039fb9382..5791824a91 100644 --- a/resources/quality/kingroon/TPU/kingroon_0.8_TPU_draft.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_0.8_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/kingroon/TPU/kingroon_1.0_TPU_draft.inst.cfg b/resources/quality/kingroon/TPU/kingroon_1.0_TPU_draft.inst.cfg index 7710803677..a46eae80e8 100644 --- a/resources/quality/kingroon/TPU/kingroon_1.0_TPU_draft.inst.cfg +++ b/resources/quality/kingroon/TPU/kingroon_1.0_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/kingroon/kingroon_global_adaptive.inst.cfg b/resources/quality/kingroon/kingroon_global_adaptive.inst.cfg index 2dafc4d2b3..d17a0467b7 100644 --- a/resources/quality/kingroon/kingroon_global_adaptive.inst.cfg +++ b/resources/quality/kingroon/kingroon_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/kingroon/kingroon_global_draft.inst.cfg b/resources/quality/kingroon/kingroon_global_draft.inst.cfg index ef0a06474c..820bba4c10 100644 --- a/resources/quality/kingroon/kingroon_global_draft.inst.cfg +++ b/resources/quality/kingroon/kingroon_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/kingroon/kingroon_global_low.inst.cfg b/resources/quality/kingroon/kingroon_global_low.inst.cfg index 4e924a4389..cfaf63976c 100644 --- a/resources/quality/kingroon/kingroon_global_low.inst.cfg +++ b/resources/quality/kingroon/kingroon_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/kingroon/kingroon_global_standard.inst.cfg b/resources/quality/kingroon/kingroon_global_standard.inst.cfg index eef9632f04..93b406405e 100644 --- a/resources/quality/kingroon/kingroon_global_standard.inst.cfg +++ b/resources/quality/kingroon/kingroon_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/kingroon/kingroon_global_super.inst.cfg b/resources/quality/kingroon/kingroon_global_super.inst.cfg index 10aea73235..4dee7688e3 100644 --- a/resources/quality/kingroon/kingroon_global_super.inst.cfg +++ b/resources/quality/kingroon/kingroon_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/kingroon/kingroon_global_ultra.inst.cfg b/resources/quality/kingroon/kingroon_global_ultra.inst.cfg index 1700a503eb..bf3b863af7 100644 --- a/resources/quality/kingroon/kingroon_global_ultra.inst.cfg +++ b/resources/quality/kingroon/kingroon_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = kingroon_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/koonovo/koonovo_base_global_draft.inst.cfg b/resources/quality/koonovo/koonovo_base_global_draft.inst.cfg index c04f857693..70514ddc1b 100644 --- a/resources/quality/koonovo/koonovo_base_global_draft.inst.cfg +++ b/resources/quality/koonovo/koonovo_base_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = koonovo_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft global_quality = True diff --git a/resources/quality/koonovo/koonovo_base_global_standard.inst.cfg b/resources/quality/koonovo/koonovo_base_global_standard.inst.cfg index c14b20cce0..958a1676c8 100644 --- a/resources/quality/koonovo/koonovo_base_global_standard.inst.cfg +++ b/resources/quality/koonovo/koonovo_base_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = koonovo_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/koonovo/koovono_base_global_high.inst.cfg b/resources/quality/koonovo/koovono_base_global_high.inst.cfg index 10a4463f6f..92bafe17c2 100644 --- a/resources/quality/koonovo/koovono_base_global_high.inst.cfg +++ b/resources/quality/koonovo/koovono_base_global_high.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = koonovo_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -1 diff --git a/resources/quality/liquid/liquid_global_Draft_Quality.inst.cfg b/resources/quality/liquid/liquid_global_Draft_Quality.inst.cfg index 96357579b0..1dc2221757 100644 --- a/resources/quality/liquid/liquid_global_Draft_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_global_Fast_Quality.inst.cfg b/resources/quality/liquid/liquid_global_Fast_Quality.inst.cfg index 2f94407642..ea48b0cb1d 100644 --- a/resources/quality/liquid/liquid_global_Fast_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_global_High_Quality.inst.cfg b/resources/quality/liquid/liquid_global_High_Quality.inst.cfg index bd2b01c7c1..052ec951db 100644 --- a/resources/quality/liquid/liquid_global_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_global_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_global_Normal_Quality.inst.cfg index 8e6d02b8f0..2f96444640 100644 --- a/resources/quality/liquid/liquid_global_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_global_Superdraft_Quality.inst.cfg b/resources/quality/liquid/liquid_global_Superdraft_Quality.inst.cfg index c270b4b98a..210beda1fa 100644 --- a/resources/quality/liquid/liquid_global_Superdraft_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_global_Superdraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_global_Verydraft_Quality.inst.cfg b/resources/quality/liquid/liquid_global_Verydraft_Quality.inst.cfg index 89951b464e..1a35c37cde 100644 --- a/resources/quality/liquid/liquid_global_Verydraft_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_global_Verydraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.4_ABS_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_ABS_Draft_Print.inst.cfg index 520417e001..4a8e598d77 100644 --- a/resources/quality/liquid/liquid_vo0.4_ABS_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_ABS_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_ABS_Fast_Print.inst.cfg index dedfa6916e..7648e51ec2 100644 --- a/resources/quality/liquid/liquid_vo0.4_ABS_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_ABS_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_ABS_High_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_ABS_High_Quality.inst.cfg index 3a775ac81e..d2da04378d 100644 --- a/resources/quality/liquid/liquid_vo0.4_ABS_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_ABS_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_vo0.4_ABS_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_ABS_Normal_Quality.inst.cfg index 66265e37db..253e04a413 100644 --- a/resources/quality/liquid/liquid_vo0.4_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_CPE_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_CPE_Draft_Print.inst.cfg index b0f211a271..c2ac671018 100644 --- a/resources/quality/liquid/liquid_vo0.4_CPE_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_CPE_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_CPE_Fast_Print.inst.cfg index ff2cc53131..52386e6383 100644 --- a/resources/quality/liquid/liquid_vo0.4_CPE_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_CPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_CPE_High_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_CPE_High_Quality.inst.cfg index 8462c4b578..01b30fffb8 100644 --- a/resources/quality/liquid/liquid_vo0.4_CPE_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_CPE_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_vo0.4_CPE_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_CPE_Normal_Quality.inst.cfg index 1a67916b58..9f1d924b7c 100644 --- a/resources/quality/liquid/liquid_vo0.4_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_Nylon_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_Nylon_Draft_Print.inst.cfg index 1fecf9307e..b627a113c7 100644 --- a/resources/quality/liquid/liquid_vo0.4_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_Nylon_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_Nylon_Fast_Print.inst.cfg index 2ec4b1007e..ba4f862468 100644 --- a/resources/quality/liquid/liquid_vo0.4_Nylon_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_Nylon_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_Nylon_High_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_Nylon_High_Quality.inst.cfg index 751cbde804..22d0f99925 100644 --- a/resources/quality/liquid/liquid_vo0.4_Nylon_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_Nylon_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_vo0.4_Nylon_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_Nylon_Normal_Quality.inst.cfg index 86e2bfb958..74a3553880 100644 --- a/resources/quality/liquid/liquid_vo0.4_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_PC_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PC_Draft_Print.inst.cfg index 356b01fb58..5ec1d13350 100644 --- a/resources/quality/liquid/liquid_vo0.4_PC_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PC_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_PC_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PC_Fast_Print.inst.cfg index 60bfe2a1b5..13589e64b1 100644 --- a/resources/quality/liquid/liquid_vo0.4_PC_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_PC_High_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PC_High_Quality.inst.cfg index 2701fe9ec9..b05c7ef6e9 100644 --- a/resources/quality/liquid/liquid_vo0.4_PC_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PC_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_vo0.4_PC_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PC_Normal_Quality.inst.cfg index a53b34d1d7..756cf42f8f 100644 --- a/resources/quality/liquid/liquid_vo0.4_PC_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_PETG_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PETG_Draft_Print.inst.cfg index 2a0c6916dd..1802f1fe84 100644 --- a/resources/quality/liquid/liquid_vo0.4_PETG_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_PETG_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PETG_Fast_Print.inst.cfg index e7deae6fd0..22c1ebc463 100644 --- a/resources/quality/liquid/liquid_vo0.4_PETG_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PETG_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_PETG_High_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PETG_High_Quality.inst.cfg index 8c744e49fd..64e2a8564e 100644 --- a/resources/quality/liquid/liquid_vo0.4_PETG_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PETG_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_vo0.4_PETG_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PETG_Normal_Quality.inst.cfg index 83d14487c2..0c33169863 100644 --- a/resources/quality/liquid/liquid_vo0.4_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_PLA_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PLA_Draft_Print.inst.cfg index 6b4774a974..e5f03c1331 100644 --- a/resources/quality/liquid/liquid_vo0.4_PLA_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_PLA_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PLA_Fast_Print.inst.cfg index 6c0f8ca111..5ed2f1be21 100644 --- a/resources/quality/liquid/liquid_vo0.4_PLA_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_PLA_High_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PLA_High_Quality.inst.cfg index aa246e41f2..87d80d5452 100644 --- a/resources/quality/liquid/liquid_vo0.4_PLA_High_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/liquid/liquid_vo0.4_PLA_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PLA_Normal_Quality.inst.cfg index f9fbb080b8..953dba716c 100644 --- a/resources/quality/liquid/liquid_vo0.4_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_PP_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PP_Draft_Print.inst.cfg index 44bd21ff70..06ea24bb9c 100644 --- a/resources/quality/liquid/liquid_vo0.4_PP_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_PP_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PP_Fast_Print.inst.cfg index d64a086fdd..fea1b31bc5 100644 --- a/resources/quality/liquid/liquid_vo0.4_PP_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_PP_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_PP_Normal_Quality.inst.cfg index 9563a3050b..912845067f 100644 --- a/resources/quality/liquid/liquid_vo0.4_PP_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.4_TPU_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_TPU_Draft_Print.inst.cfg index f7f3c42630..c94b582d89 100644 --- a/resources/quality/liquid/liquid_vo0.4_TPU_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.4_TPU_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.4_TPU_Fast_Print.inst.cfg index fb25093629..762293c2dc 100644 --- a/resources/quality/liquid/liquid_vo0.4_TPU_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_TPU_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/liquid/liquid_vo0.4_TPU_Normal_Quality.inst.cfg b/resources/quality/liquid/liquid_vo0.4_TPU_Normal_Quality.inst.cfg index 84d512536d..9619e7dcc5 100644 --- a/resources/quality/liquid/liquid_vo0.4_TPU_Normal_Quality.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.4_TPU_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/liquid/liquid_vo0.6_CFFCPE_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_CFFCPE_Draft_Print.inst.cfg index 76510ea764..f8c0d3e3f3 100644 --- a/resources/quality/liquid/liquid_vo0.6_CFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_CFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.6_CFFPA_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_CFFPA_Draft_Print.inst.cfg index b1c1046786..0304000753 100644 --- a/resources/quality/liquid/liquid_vo0.6_CFFPA_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_CFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.6_GFFCPE_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_GFFCPE_Draft_Print.inst.cfg index a1b730e002..f77cec5ed8 100644 --- a/resources/quality/liquid/liquid_vo0.6_GFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_GFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.6_GFFPA_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_GFFPA_Draft_Print.inst.cfg index 58a6eb32d1..77aae1f317 100644 --- a/resources/quality/liquid/liquid_vo0.6_GFFPA_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_GFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.6_PETG_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_PETG_Draft_Print.inst.cfg index 8486b18919..a5acb8a62f 100644 --- a/resources/quality/liquid/liquid_vo0.6_PETG_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.6_PETG_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_PETG_Fast_Print.inst.cfg index 95ecb4fd0f..ed68486759 100644 --- a/resources/quality/liquid/liquid_vo0.6_PETG_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_PETG_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.6_PLA_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_PLA_Draft_Print.inst.cfg index 5604cf961f..03865d1583 100644 --- a/resources/quality/liquid/liquid_vo0.6_PLA_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.6_PLA_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.6_PLA_Fast_Print.inst.cfg index f2894c4cb8..0ed6751f4e 100644 --- a/resources/quality/liquid/liquid_vo0.6_PLA_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.6_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_ABS_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_ABS_Draft_Print.inst.cfg index c534b9d6a2..9b43f5ba54 100644 --- a/resources/quality/liquid/liquid_vo0.8_ABS_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_ABS_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_ABS_Superdraft_Print.inst.cfg index 8d20eb405a..49601a51ed 100644 --- a/resources/quality/liquid/liquid_vo0.8_ABS_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_ABS_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_ABS_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_ABS_Verydraft_Print.inst.cfg index 8e1c254104..a8c52a4165 100644 --- a/resources/quality/liquid/liquid_vo0.8_ABS_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_ABS_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_CPE_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_CPE_Draft_Print.inst.cfg index fbd7ce452d..1f40fa8764 100644 --- a/resources/quality/liquid/liquid_vo0.8_CPE_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_CPE_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_CPE_Superdraft_Print.inst.cfg index 78aa1aec93..baa01a79fd 100644 --- a/resources/quality/liquid/liquid_vo0.8_CPE_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_CPE_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_CPE_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_CPE_Verydraft_Print.inst.cfg index 93a1beecc1..c4b2971035 100644 --- a/resources/quality/liquid/liquid_vo0.8_CPE_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_CPE_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_Nylon_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_Nylon_Draft_Print.inst.cfg index 583e1decc1..baf1acf99d 100644 --- a/resources/quality/liquid/liquid_vo0.8_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_Nylon_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_Nylon_Superdraft_Print.inst.cfg index 058affa14d..49a3e80a2b 100644 --- a/resources/quality/liquid/liquid_vo0.8_Nylon_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_Nylon_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_Nylon_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_Nylon_Verydraft_Print.inst.cfg index d176ab1a84..42e07c1a87 100644 --- a/resources/quality/liquid/liquid_vo0.8_Nylon_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_Nylon_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_PC_Fast_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PC_Fast_Print.inst.cfg index 16e98962ba..3591f46333 100644 --- a/resources/quality/liquid/liquid_vo0.8_PC_Fast_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_PC_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PC_Superdraft_Print.inst.cfg index 6f231b6ec3..b4efb2339e 100644 --- a/resources/quality/liquid/liquid_vo0.8_PC_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PC_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_PC_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PC_Verydraft_Print.inst.cfg index cffcffedd2..ba19f4d473 100644 --- a/resources/quality/liquid/liquid_vo0.8_PC_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PC_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_PETG_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PETG_Draft_Print.inst.cfg index ea55f4c07c..d058775a4d 100644 --- a/resources/quality/liquid/liquid_vo0.8_PETG_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_PETG_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PETG_Superdraft_Print.inst.cfg index dd55993a6f..6167c85e21 100644 --- a/resources/quality/liquid/liquid_vo0.8_PETG_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PETG_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_PETG_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PETG_Verydraft_Print.inst.cfg index 58dd805c58..4e26f9173d 100644 --- a/resources/quality/liquid/liquid_vo0.8_PETG_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PETG_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_PLA_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PLA_Draft_Print.inst.cfg index 28a5c48fb9..b6d1ed9d2c 100644 --- a/resources/quality/liquid/liquid_vo0.8_PLA_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_PLA_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PLA_Superdraft_Print.inst.cfg index 6696276db6..262fffbe33 100644 --- a/resources/quality/liquid/liquid_vo0.8_PLA_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_PLA_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PLA_Verydraft_Print.inst.cfg index 989b50601d..34daff44ae 100644 --- a/resources/quality/liquid/liquid_vo0.8_PLA_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_PP_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PP_Draft_Print.inst.cfg index 9e07f4136f..623aa7494c 100644 --- a/resources/quality/liquid/liquid_vo0.8_PP_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_PP_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PP_Superdraft_Print.inst.cfg index d6463d66b0..51167a330b 100644 --- a/resources/quality/liquid/liquid_vo0.8_PP_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_PP_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_PP_Verydraft_Print.inst.cfg index 9b83307154..85c8c249b2 100644 --- a/resources/quality/liquid/liquid_vo0.8_PP_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_PP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/liquid/liquid_vo0.8_TPU_Draft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_TPU_Draft_Print.inst.cfg index df445b7e36..11524250ab 100644 --- a/resources/quality/liquid/liquid_vo0.8_TPU_Draft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/liquid/liquid_vo0.8_TPU_Superdraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_TPU_Superdraft_Print.inst.cfg index 308734648a..75f1500380 100644 --- a/resources/quality/liquid/liquid_vo0.8_TPU_Superdraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_TPU_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/liquid/liquid_vo0.8_TPU_Verydraft_Print.inst.cfg b/resources/quality/liquid/liquid_vo0.8_TPU_Verydraft_Print.inst.cfg index fee50bdb99..2664ab55f7 100644 --- a/resources/quality/liquid/liquid_vo0.8_TPU_Verydraft_Print.inst.cfg +++ b/resources/quality/liquid/liquid_vo0.8_TPU_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/longer/ABS/longer_0.4_ABS_adaptive.inst.cfg b/resources/quality/longer/ABS/longer_0.4_ABS_adaptive.inst.cfg index 34d9d2c959..1895f04e16 100644 --- a/resources/quality/longer/ABS/longer_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/longer/ABS/longer_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/longer/ABS/longer_0.4_ABS_low.inst.cfg b/resources/quality/longer/ABS/longer_0.4_ABS_low.inst.cfg index e6f9d9d492..ff0a17c1e9 100644 --- a/resources/quality/longer/ABS/longer_0.4_ABS_low.inst.cfg +++ b/resources/quality/longer/ABS/longer_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/longer/ABS/longer_0.4_ABS_standard.inst.cfg b/resources/quality/longer/ABS/longer_0.4_ABS_standard.inst.cfg index cd5b423baa..4aa324bea7 100644 --- a/resources/quality/longer/ABS/longer_0.4_ABS_standard.inst.cfg +++ b/resources/quality/longer/ABS/longer_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/longer/ABS/longer_0.4_ABS_super.inst.cfg b/resources/quality/longer/ABS/longer_0.4_ABS_super.inst.cfg index e46ac31670..b4a6aa7fa7 100644 --- a/resources/quality/longer/ABS/longer_0.4_ABS_super.inst.cfg +++ b/resources/quality/longer/ABS/longer_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/longer/PETG/longer_0.4_PETG_adaptive.inst.cfg b/resources/quality/longer/PETG/longer_0.4_PETG_adaptive.inst.cfg index 01f6e0f256..fe9f87f62e 100644 --- a/resources/quality/longer/PETG/longer_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/longer/PETG/longer_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/longer/PETG/longer_0.4_PETG_low.inst.cfg b/resources/quality/longer/PETG/longer_0.4_PETG_low.inst.cfg index ee40ae3332..fc200b408c 100644 --- a/resources/quality/longer/PETG/longer_0.4_PETG_low.inst.cfg +++ b/resources/quality/longer/PETG/longer_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/longer/PETG/longer_0.4_PETG_standard.inst.cfg b/resources/quality/longer/PETG/longer_0.4_PETG_standard.inst.cfg index 9a8a755392..20dcf2fa22 100644 --- a/resources/quality/longer/PETG/longer_0.4_PETG_standard.inst.cfg +++ b/resources/quality/longer/PETG/longer_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/longer/PETG/longer_0.4_PETG_super.inst.cfg b/resources/quality/longer/PETG/longer_0.4_PETG_super.inst.cfg index c0068af923..c2e7cefe29 100644 --- a/resources/quality/longer/PETG/longer_0.4_PETG_super.inst.cfg +++ b/resources/quality/longer/PETG/longer_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/longer/PLA/longer_0.4_PLA_adaptive.inst.cfg b/resources/quality/longer/PLA/longer_0.4_PLA_adaptive.inst.cfg index 7f73ff8b86..68000c14ca 100644 --- a/resources/quality/longer/PLA/longer_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/longer/PLA/longer_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/longer/PLA/longer_0.4_PLA_low.inst.cfg b/resources/quality/longer/PLA/longer_0.4_PLA_low.inst.cfg index 9242c0721f..4eca6eb165 100644 --- a/resources/quality/longer/PLA/longer_0.4_PLA_low.inst.cfg +++ b/resources/quality/longer/PLA/longer_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/longer/PLA/longer_0.4_PLA_standard.inst.cfg b/resources/quality/longer/PLA/longer_0.4_PLA_standard.inst.cfg index 688817bb59..4621d678fb 100644 --- a/resources/quality/longer/PLA/longer_0.4_PLA_standard.inst.cfg +++ b/resources/quality/longer/PLA/longer_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/longer/PLA/longer_0.4_PLA_super.inst.cfg b/resources/quality/longer/PLA/longer_0.4_PLA_super.inst.cfg index 1e6ddb9e28..5289cc7c7f 100644 --- a/resources/quality/longer/PLA/longer_0.4_PLA_super.inst.cfg +++ b/resources/quality/longer/PLA/longer_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/longer/TPU/longer_0.4_TPU_adaptive.inst.cfg b/resources/quality/longer/TPU/longer_0.4_TPU_adaptive.inst.cfg index 6d1fc5d287..796778a64c 100644 --- a/resources/quality/longer/TPU/longer_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/longer/TPU/longer_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/longer/TPU/longer_0.4_TPU_standard.inst.cfg b/resources/quality/longer/TPU/longer_0.4_TPU_standard.inst.cfg index ad7b1ca41b..550c846b8d 100644 --- a/resources/quality/longer/TPU/longer_0.4_TPU_standard.inst.cfg +++ b/resources/quality/longer/TPU/longer_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/longer/TPU/longer_0.4_TPU_super.inst.cfg b/resources/quality/longer/TPU/longer_0.4_TPU_super.inst.cfg index b2ec825c9b..fdd3c8cb8e 100644 --- a/resources/quality/longer/TPU/longer_0.4_TPU_super.inst.cfg +++ b/resources/quality/longer/TPU/longer_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/longer/longer_global_adaptive.inst.cfg b/resources/quality/longer/longer_global_adaptive.inst.cfg index a8a0f01845..910cd6ce15 100644 --- a/resources/quality/longer/longer_global_adaptive.inst.cfg +++ b/resources/quality/longer/longer_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/longer/longer_global_draft.inst.cfg b/resources/quality/longer/longer_global_draft.inst.cfg index addab570ea..f5688bb3e9 100644 --- a/resources/quality/longer/longer_global_draft.inst.cfg +++ b/resources/quality/longer/longer_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/longer/longer_global_low.inst.cfg b/resources/quality/longer/longer_global_low.inst.cfg index d7dea4d57a..82df7400f7 100644 --- a/resources/quality/longer/longer_global_low.inst.cfg +++ b/resources/quality/longer/longer_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/longer/longer_global_standard.inst.cfg b/resources/quality/longer/longer_global_standard.inst.cfg index 98d97f9f5c..c5fe412e6d 100644 --- a/resources/quality/longer/longer_global_standard.inst.cfg +++ b/resources/quality/longer/longer_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/longer/longer_global_super.inst.cfg b/resources/quality/longer/longer_global_super.inst.cfg index 491fbcb6d1..3685854e14 100644 --- a/resources/quality/longer/longer_global_super.inst.cfg +++ b/resources/quality/longer/longer_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/longer/longer_global_ultra.inst.cfg b/resources/quality/longer/longer_global_ultra.inst.cfg index 512da4992d..2d64b2f3d9 100644 --- a/resources/quality/longer/longer_global_ultra.inst.cfg +++ b/resources/quality/longer/longer_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/makeblock/makeblock_mcreate_pla_normal.inst.cfg b/resources/quality/makeblock/makeblock_mcreate_pla_normal.inst.cfg index d78fab7490..39fcf469c9 100644 --- a/resources/quality/makeblock/makeblock_mcreate_pla_normal.inst.cfg +++ b/resources/quality/makeblock/makeblock_mcreate_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = makeblock_mcreate [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_draft.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_draft.inst.cfg index 151c319abd..8747c8f3a8 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_draft.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_fast.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_fast.inst.cfg index e47e7c2c13..a0f0664555 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_fast.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_high.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_high.inst.cfg index ff65fbcea5..4f3c53bfcb 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_high.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_normal.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_normal.inst.cfg index 831fa74ee9..42277fc137 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_normal.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_superdraft.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_superdraft.inst.cfg index 35e0913dba..738f1ce760 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_superdraft.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_thickerdraft.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_thickerdraft.inst.cfg index e8bc34eafc..cb9d3baec2 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_thickerdraft.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_ultra.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_ultra.inst.cfg index 509a143b9e..19ff4248a5 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_ultra.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/malyan_m200/abs/malyan_m200_abs_verydraft.inst.cfg b/resources/quality/malyan_m200/abs/malyan_m200_abs_verydraft.inst.cfg index 9fbec89095..28807a9d77 100644 --- a/resources/quality/malyan_m200/abs/malyan_m200_abs_verydraft.inst.cfg +++ b/resources/quality/malyan_m200/abs/malyan_m200_abs_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/malyan_m200/malyan_m200_global_Draft_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_Draft_Quality.inst.cfg index 858ef5b586..a598a39cc0 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_Draft_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/malyan_m200/malyan_m200_global_Fast_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_Fast_Quality.inst.cfg index 390dc6bc10..f9925a1d16 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_Fast_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/malyan_m200/malyan_m200_global_High_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_High_Quality.inst.cfg index 6d1c6eaedf..78e351139c 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_High_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/malyan_m200/malyan_m200_global_Normal_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_Normal_Quality.inst.cfg index 3c6f4e0d39..174b9c84d3 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_Normal_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/malyan_m200/malyan_m200_global_SuperDraft_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_SuperDraft_Quality.inst.cfg index 54d616ec79..fe411b1398 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_SuperDraft_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_SuperDraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/malyan_m200/malyan_m200_global_ThickerDraft_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_ThickerDraft_Quality.inst.cfg index 3779745b25..a652d01f87 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_ThickerDraft_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_ThickerDraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/malyan_m200/malyan_m200_global_Ultra_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_Ultra_Quality.inst.cfg index da0372f5ad..7819b801ce 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_Ultra_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_Ultra_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/malyan_m200/malyan_m200_global_VeryDraft_Quality.inst.cfg b/resources/quality/malyan_m200/malyan_m200_global_VeryDraft_Quality.inst.cfg index 31e79554ad..9c82662c14 100644 --- a/resources/quality/malyan_m200/malyan_m200_global_VeryDraft_Quality.inst.cfg +++ b/resources/quality/malyan_m200/malyan_m200_global_VeryDraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_draft.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_draft.inst.cfg index 2588b53668..43b208dbfa 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_draft.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_fast.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_fast.inst.cfg index b5cec7bc56..48abf0bb90 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_fast.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_high.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_high.inst.cfg index 01b4daf3fc..ad045d32b4 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_high.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_normal.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_normal.inst.cfg index 5834cdfda9..ce0677bc8d 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_normal.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_superdraft.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_superdraft.inst.cfg index 27f52d5e6b..992db77904 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_superdraft.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_thickerdraft.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_thickerdraft.inst.cfg index 0546c6f643..91744152c2 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_thickerdraft.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_ultra.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_ultra.inst.cfg index e1b565f4f4..48a8a938c6 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_ultra.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/malyan_m200/petg/malyan_m200_petg_verydraft.inst.cfg b/resources/quality/malyan_m200/petg/malyan_m200_petg_verydraft.inst.cfg index 53a0df5a4b..a7bff5fa85 100644 --- a/resources/quality/malyan_m200/petg/malyan_m200_petg_verydraft.inst.cfg +++ b/resources/quality/malyan_m200/petg/malyan_m200_petg_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_draft.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_draft.inst.cfg index 05540860e5..4e629250ec 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_draft.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_fast.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_fast.inst.cfg index 2f788a0b61..099945ac5b 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_fast.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_high.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_high.inst.cfg index ee809e288f..c96a878f92 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_high.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_normal.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_normal.inst.cfg index 60aad2a0a1..742c4f0db4 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_normal.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_superdraft.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_superdraft.inst.cfg index a82b27207d..f1c7483187 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_superdraft.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_thickerdraft.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_thickerdraft.inst.cfg index 35183fb113..2b161a42c4 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_thickerdraft.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_ultra.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_ultra.inst.cfg index c02e1f7588..e3fba82fc8 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_ultra.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/malyan_m200/pla/malyan_m200_pla_verydraft.inst.cfg b/resources/quality/malyan_m200/pla/malyan_m200_pla_verydraft.inst.cfg index a594a66e87..4b8e632520 100644 --- a/resources/quality/malyan_m200/pla/malyan_m200_pla_verydraft.inst.cfg +++ b/resources/quality/malyan_m200/pla/malyan_m200_pla_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = malyan_m200 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/mingda/ABS/mingda_0.2_ABS_super.inst.cfg b/resources/quality/mingda/ABS/mingda_0.2_ABS_super.inst.cfg index 5adc870ad9..e592715668 100644 --- a/resources/quality/mingda/ABS/mingda_0.2_ABS_super.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.2_ABS_ultra.inst.cfg b/resources/quality/mingda/ABS/mingda_0.2_ABS_ultra.inst.cfg index edbce717c2..586d76dcf3 100644 --- a/resources/quality/mingda/ABS/mingda_0.2_ABS_ultra.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.2_ABS_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.3_ABS_adaptive.inst.cfg b/resources/quality/mingda/ABS/mingda_0.3_ABS_adaptive.inst.cfg index 46b08d9b6c..3c3b57f71b 100644 --- a/resources/quality/mingda/ABS/mingda_0.3_ABS_adaptive.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.3_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.3_ABS_low.inst.cfg b/resources/quality/mingda/ABS/mingda_0.3_ABS_low.inst.cfg index d009aeecce..d314a17b95 100644 --- a/resources/quality/mingda/ABS/mingda_0.3_ABS_low.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.3_ABS_standard.inst.cfg b/resources/quality/mingda/ABS/mingda_0.3_ABS_standard.inst.cfg index 29ac3b9cfc..9a3b42df4c 100644 --- a/resources/quality/mingda/ABS/mingda_0.3_ABS_standard.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.3_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.3_ABS_super.inst.cfg b/resources/quality/mingda/ABS/mingda_0.3_ABS_super.inst.cfg index efeb14942c..e6122a5eb5 100644 --- a/resources/quality/mingda/ABS/mingda_0.3_ABS_super.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.3_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.4_ABS_adaptive.inst.cfg b/resources/quality/mingda/ABS/mingda_0.4_ABS_adaptive.inst.cfg index da21330520..eb080adfd6 100644 --- a/resources/quality/mingda/ABS/mingda_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.4_ABS_low.inst.cfg b/resources/quality/mingda/ABS/mingda_0.4_ABS_low.inst.cfg index b66360f120..5a69b1e091 100644 --- a/resources/quality/mingda/ABS/mingda_0.4_ABS_low.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.4_ABS_standard.inst.cfg b/resources/quality/mingda/ABS/mingda_0.4_ABS_standard.inst.cfg index 0b8f69efa9..f3724c4dd7 100644 --- a/resources/quality/mingda/ABS/mingda_0.4_ABS_standard.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.4_ABS_super.inst.cfg b/resources/quality/mingda/ABS/mingda_0.4_ABS_super.inst.cfg index cd46e520da..96d7564e51 100644 --- a/resources/quality/mingda/ABS/mingda_0.4_ABS_super.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.5_ABS_adaptive.inst.cfg b/resources/quality/mingda/ABS/mingda_0.5_ABS_adaptive.inst.cfg index 1a758b6e8e..26617b19a1 100644 --- a/resources/quality/mingda/ABS/mingda_0.5_ABS_adaptive.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.5_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.5_ABS_low.inst.cfg b/resources/quality/mingda/ABS/mingda_0.5_ABS_low.inst.cfg index ebf7e90f16..7be83392ea 100644 --- a/resources/quality/mingda/ABS/mingda_0.5_ABS_low.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.5_ABS_standard.inst.cfg b/resources/quality/mingda/ABS/mingda_0.5_ABS_standard.inst.cfg index a3d7fdcecc..229bfb3230 100644 --- a/resources/quality/mingda/ABS/mingda_0.5_ABS_standard.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.5_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.5_ABS_super.inst.cfg b/resources/quality/mingda/ABS/mingda_0.5_ABS_super.inst.cfg index 3ba0bb4c08..f25d9d0e1a 100644 --- a/resources/quality/mingda/ABS/mingda_0.5_ABS_super.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.5_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.6_ABS_standard.inst.cfg b/resources/quality/mingda/ABS/mingda_0.6_ABS_standard.inst.cfg index 2a3b2fcd07..d585820ccf 100644 --- a/resources/quality/mingda/ABS/mingda_0.6_ABS_standard.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.6_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_0.8_ABS_draft.inst.cfg b/resources/quality/mingda/ABS/mingda_0.8_ABS_draft.inst.cfg index 33b3e30a0d..0144b60fa3 100644 --- a/resources/quality/mingda/ABS/mingda_0.8_ABS_draft.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_0.8_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/mingda/ABS/mingda_1.0_ABS_draft.inst.cfg b/resources/quality/mingda/ABS/mingda_1.0_ABS_draft.inst.cfg index b46f3d01a7..22b7d90e27 100644 --- a/resources/quality/mingda/ABS/mingda_1.0_ABS_draft.inst.cfg +++ b/resources/quality/mingda/ABS/mingda_1.0_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/mingda/PETG/mingda_0.2_PETG_super.inst.cfg b/resources/quality/mingda/PETG/mingda_0.2_PETG_super.inst.cfg index f3a4c9be7b..be44b92682 100644 --- a/resources/quality/mingda/PETG/mingda_0.2_PETG_super.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.2_PETG_ultra.inst.cfg b/resources/quality/mingda/PETG/mingda_0.2_PETG_ultra.inst.cfg index 00f05dcbae..04982e19fd 100644 --- a/resources/quality/mingda/PETG/mingda_0.2_PETG_ultra.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.2_PETG_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.3_PETG_adaptive.inst.cfg b/resources/quality/mingda/PETG/mingda_0.3_PETG_adaptive.inst.cfg index 83b532509c..279eee8eb7 100644 --- a/resources/quality/mingda/PETG/mingda_0.3_PETG_adaptive.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.3_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.3_PETG_low.inst.cfg b/resources/quality/mingda/PETG/mingda_0.3_PETG_low.inst.cfg index 61bc7b9951..fd647a06da 100644 --- a/resources/quality/mingda/PETG/mingda_0.3_PETG_low.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.3_PETG_standard.inst.cfg b/resources/quality/mingda/PETG/mingda_0.3_PETG_standard.inst.cfg index f660f31199..fb2d7c6e0b 100644 --- a/resources/quality/mingda/PETG/mingda_0.3_PETG_standard.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.3_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.3_PETG_super.inst.cfg b/resources/quality/mingda/PETG/mingda_0.3_PETG_super.inst.cfg index 5ef54b6b85..816ef2c92a 100644 --- a/resources/quality/mingda/PETG/mingda_0.3_PETG_super.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.3_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.4_PETG_adaptive.inst.cfg b/resources/quality/mingda/PETG/mingda_0.4_PETG_adaptive.inst.cfg index 06e97cdf7d..0c28d097d0 100644 --- a/resources/quality/mingda/PETG/mingda_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.4_PETG_low.inst.cfg b/resources/quality/mingda/PETG/mingda_0.4_PETG_low.inst.cfg index fc0966c464..ab022f8b41 100644 --- a/resources/quality/mingda/PETG/mingda_0.4_PETG_low.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.4_PETG_standard.inst.cfg b/resources/quality/mingda/PETG/mingda_0.4_PETG_standard.inst.cfg index dac6b65819..b0acb39fb1 100644 --- a/resources/quality/mingda/PETG/mingda_0.4_PETG_standard.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.4_PETG_super.inst.cfg b/resources/quality/mingda/PETG/mingda_0.4_PETG_super.inst.cfg index ba344dede0..08b4da8cd9 100644 --- a/resources/quality/mingda/PETG/mingda_0.4_PETG_super.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.5_PETG_adaptive.inst.cfg b/resources/quality/mingda/PETG/mingda_0.5_PETG_adaptive.inst.cfg index a1deb9d305..306ef0b888 100644 --- a/resources/quality/mingda/PETG/mingda_0.5_PETG_adaptive.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.5_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.5_PETG_low.inst.cfg b/resources/quality/mingda/PETG/mingda_0.5_PETG_low.inst.cfg index e926b91c97..acb8e7948a 100644 --- a/resources/quality/mingda/PETG/mingda_0.5_PETG_low.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.5_PETG_standard.inst.cfg b/resources/quality/mingda/PETG/mingda_0.5_PETG_standard.inst.cfg index b7a3aa9d91..e89ca47c19 100644 --- a/resources/quality/mingda/PETG/mingda_0.5_PETG_standard.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.5_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.5_PETG_super.inst.cfg b/resources/quality/mingda/PETG/mingda_0.5_PETG_super.inst.cfg index dd44ddfec1..027c477325 100644 --- a/resources/quality/mingda/PETG/mingda_0.5_PETG_super.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.5_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.6_PETG_standard.inst.cfg b/resources/quality/mingda/PETG/mingda_0.6_PETG_standard.inst.cfg index f41865abd2..f8999596e9 100644 --- a/resources/quality/mingda/PETG/mingda_0.6_PETG_standard.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.6_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_0.8_PETG_draft.inst.cfg b/resources/quality/mingda/PETG/mingda_0.8_PETG_draft.inst.cfg index 19eb12dd57..f0c8cee9f3 100644 --- a/resources/quality/mingda/PETG/mingda_0.8_PETG_draft.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_0.8_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/mingda/PETG/mingda_1.0_PETG_draft.inst.cfg b/resources/quality/mingda/PETG/mingda_1.0_PETG_draft.inst.cfg index 66ec146907..c1a6412a04 100644 --- a/resources/quality/mingda/PETG/mingda_1.0_PETG_draft.inst.cfg +++ b/resources/quality/mingda/PETG/mingda_1.0_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/mingda/PLA/mingda_0.2_PLA_super.inst.cfg b/resources/quality/mingda/PLA/mingda_0.2_PLA_super.inst.cfg index f017c3ad7c..fcd66f172c 100644 --- a/resources/quality/mingda/PLA/mingda_0.2_PLA_super.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.2_PLA_ultra.inst.cfg b/resources/quality/mingda/PLA/mingda_0.2_PLA_ultra.inst.cfg index 62bff76f0d..9999ebb591 100644 --- a/resources/quality/mingda/PLA/mingda_0.2_PLA_ultra.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.2_PLA_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.3_PLA_adaptive.inst.cfg b/resources/quality/mingda/PLA/mingda_0.3_PLA_adaptive.inst.cfg index 7caf4327fa..a1a17ce12a 100644 --- a/resources/quality/mingda/PLA/mingda_0.3_PLA_adaptive.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.3_PLA_adaptive.inst.cfg @@ -3,7 +3,7 @@ version = 4 name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.3_PLA_low.inst.cfg b/resources/quality/mingda/PLA/mingda_0.3_PLA_low.inst.cfg index 86d2bfbfd4..293a49e14b 100644 --- a/resources/quality/mingda/PLA/mingda_0.3_PLA_low.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.3_PLA_standard.inst.cfg b/resources/quality/mingda/PLA/mingda_0.3_PLA_standard.inst.cfg index 266af0c33f..d8d301213c 100644 --- a/resources/quality/mingda/PLA/mingda_0.3_PLA_standard.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.3_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.3_PLA_super.inst.cfg b/resources/quality/mingda/PLA/mingda_0.3_PLA_super.inst.cfg index 5d660b58b1..f55be37446 100644 --- a/resources/quality/mingda/PLA/mingda_0.3_PLA_super.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.3_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.4_PLA_adaptive.inst.cfg b/resources/quality/mingda/PLA/mingda_0.4_PLA_adaptive.inst.cfg index 6585be4f48..9fa9c5d31e 100644 --- a/resources/quality/mingda/PLA/mingda_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.4_PLA_low.inst.cfg b/resources/quality/mingda/PLA/mingda_0.4_PLA_low.inst.cfg index 3b79fdd996..4c946d2e0b 100644 --- a/resources/quality/mingda/PLA/mingda_0.4_PLA_low.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.4_PLA_standard.inst.cfg b/resources/quality/mingda/PLA/mingda_0.4_PLA_standard.inst.cfg index ffe25c079d..d849d273a7 100644 --- a/resources/quality/mingda/PLA/mingda_0.4_PLA_standard.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.4_PLA_super.inst.cfg b/resources/quality/mingda/PLA/mingda_0.4_PLA_super.inst.cfg index 8be327ad74..2b8a7fd461 100644 --- a/resources/quality/mingda/PLA/mingda_0.4_PLA_super.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.5_PLA_adaptive.inst.cfg b/resources/quality/mingda/PLA/mingda_0.5_PLA_adaptive.inst.cfg index 3cff1f0687..b476326855 100644 --- a/resources/quality/mingda/PLA/mingda_0.5_PLA_adaptive.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.5_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.5_PLA_low.inst.cfg b/resources/quality/mingda/PLA/mingda_0.5_PLA_low.inst.cfg index 626b700aea..e0cf9e1f0a 100644 --- a/resources/quality/mingda/PLA/mingda_0.5_PLA_low.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.5_PLA_standard.inst.cfg b/resources/quality/mingda/PLA/mingda_0.5_PLA_standard.inst.cfg index 0f4fdd15fb..1b022c362f 100644 --- a/resources/quality/mingda/PLA/mingda_0.5_PLA_standard.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.5_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.5_PLA_super.inst.cfg b/resources/quality/mingda/PLA/mingda_0.5_PLA_super.inst.cfg index 6da50011c6..ecf61c1e2f 100644 --- a/resources/quality/mingda/PLA/mingda_0.5_PLA_super.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.5_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.6_PLA_draft.inst.cfg b/resources/quality/mingda/PLA/mingda_0.6_PLA_draft.inst.cfg index 33ec04df01..40d00e8a92 100644 --- a/resources/quality/mingda/PLA/mingda_0.6_PLA_draft.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.6_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.6_PLA_low.inst.cfg b/resources/quality/mingda/PLA/mingda_0.6_PLA_low.inst.cfg index fcbfbb48f4..6ebf13a4cb 100644 --- a/resources/quality/mingda/PLA/mingda_0.6_PLA_low.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.6_PLA_standard.inst.cfg b/resources/quality/mingda/PLA/mingda_0.6_PLA_standard.inst.cfg index 5b20d7a1cf..37cd89469a 100644 --- a/resources/quality/mingda/PLA/mingda_0.6_PLA_standard.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.6_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_0.8_PLA_draft.inst.cfg b/resources/quality/mingda/PLA/mingda_0.8_PLA_draft.inst.cfg index 18a4dffe0b..d35d3403b4 100644 --- a/resources/quality/mingda/PLA/mingda_0.8_PLA_draft.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_0.8_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/mingda/PLA/mingda_1.0_PLA_draft.inst.cfg b/resources/quality/mingda/PLA/mingda_1.0_PLA_draft.inst.cfg index 77b7df0aa6..4fa8aca4fc 100644 --- a/resources/quality/mingda/PLA/mingda_1.0_PLA_draft.inst.cfg +++ b/resources/quality/mingda/PLA/mingda_1.0_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/mingda/TPU/mingda_0.3_TPU_adaptive.inst.cfg b/resources/quality/mingda/TPU/mingda_0.3_TPU_adaptive.inst.cfg index dc6a96a061..fe29aabd1c 100644 --- a/resources/quality/mingda/TPU/mingda_0.3_TPU_adaptive.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.3_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.3_TPU_standard.inst.cfg b/resources/quality/mingda/TPU/mingda_0.3_TPU_standard.inst.cfg index f33da1ca68..6b97a13b14 100644 --- a/resources/quality/mingda/TPU/mingda_0.3_TPU_standard.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.3_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.3_TPU_super.inst.cfg b/resources/quality/mingda/TPU/mingda_0.3_TPU_super.inst.cfg index 445072c4d6..f329090711 100644 --- a/resources/quality/mingda/TPU/mingda_0.3_TPU_super.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.3_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.4_TPU_adaptive.inst.cfg b/resources/quality/mingda/TPU/mingda_0.4_TPU_adaptive.inst.cfg index 2707ecae2b..7a4a506023 100644 --- a/resources/quality/mingda/TPU/mingda_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.4_TPU_standard.inst.cfg b/resources/quality/mingda/TPU/mingda_0.4_TPU_standard.inst.cfg index 268d0af9c6..f43530e2e1 100644 --- a/resources/quality/mingda/TPU/mingda_0.4_TPU_standard.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.4_TPU_super.inst.cfg b/resources/quality/mingda/TPU/mingda_0.4_TPU_super.inst.cfg index a350353bea..8b93917828 100644 --- a/resources/quality/mingda/TPU/mingda_0.4_TPU_super.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.5_TPU_adaptive.inst.cfg b/resources/quality/mingda/TPU/mingda_0.5_TPU_adaptive.inst.cfg index bd83f32436..ae7e560558 100644 --- a/resources/quality/mingda/TPU/mingda_0.5_TPU_adaptive.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.5_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.5_TPU_standard.inst.cfg b/resources/quality/mingda/TPU/mingda_0.5_TPU_standard.inst.cfg index b592a7a926..f3e2e6d477 100644 --- a/resources/quality/mingda/TPU/mingda_0.5_TPU_standard.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.5_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.5_TPU_super.inst.cfg b/resources/quality/mingda/TPU/mingda_0.5_TPU_super.inst.cfg index bff99bee66..5b4b550190 100644 --- a/resources/quality/mingda/TPU/mingda_0.5_TPU_super.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.5_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.6_TPU_standard.inst.cfg b/resources/quality/mingda/TPU/mingda_0.6_TPU_standard.inst.cfg index b7391a5f05..4788e83b95 100644 --- a/resources/quality/mingda/TPU/mingda_0.6_TPU_standard.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.6_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_0.8_TPU_draft.inst.cfg b/resources/quality/mingda/TPU/mingda_0.8_TPU_draft.inst.cfg index b4abb83759..565645f697 100644 --- a/resources/quality/mingda/TPU/mingda_0.8_TPU_draft.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_0.8_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/mingda/TPU/mingda_1.0_TPU_draft.inst.cfg b/resources/quality/mingda/TPU/mingda_1.0_TPU_draft.inst.cfg index 6aed13f2e3..563e9fb1a7 100644 --- a/resources/quality/mingda/TPU/mingda_1.0_TPU_draft.inst.cfg +++ b/resources/quality/mingda/TPU/mingda_1.0_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/mingda/mingda_global_adaptive.inst.cfg b/resources/quality/mingda/mingda_global_adaptive.inst.cfg index 2f7afa3f88..511d1ee766 100644 --- a/resources/quality/mingda/mingda_global_adaptive.inst.cfg +++ b/resources/quality/mingda/mingda_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/mingda/mingda_global_draft.inst.cfg b/resources/quality/mingda/mingda_global_draft.inst.cfg index 50486679ca..19559a1fc6 100644 --- a/resources/quality/mingda/mingda_global_draft.inst.cfg +++ b/resources/quality/mingda/mingda_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/mingda/mingda_global_low.inst.cfg b/resources/quality/mingda/mingda_global_low.inst.cfg index a58bae26f9..c7473e1d00 100644 --- a/resources/quality/mingda/mingda_global_low.inst.cfg +++ b/resources/quality/mingda/mingda_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/mingda/mingda_global_standard.inst.cfg b/resources/quality/mingda/mingda_global_standard.inst.cfg index 21244715db..a2568c7170 100644 --- a/resources/quality/mingda/mingda_global_standard.inst.cfg +++ b/resources/quality/mingda/mingda_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/mingda/mingda_global_super.inst.cfg b/resources/quality/mingda/mingda_global_super.inst.cfg index ac9f29e36b..ebffdaf235 100644 --- a/resources/quality/mingda/mingda_global_super.inst.cfg +++ b/resources/quality/mingda/mingda_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/mingda/mingda_global_ultra.inst.cfg b/resources/quality/mingda/mingda_global_ultra.inst.cfg index 30c2d7bc93..b9de15e1f7 100644 --- a/resources/quality/mingda/mingda_global_ultra.inst.cfg +++ b/resources/quality/mingda/mingda_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_draft.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_draft.inst.cfg index c4a6c12a80..efce49604e 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_draft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_fast.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_fast.inst.cfg index f56259b4b5..1c21a7da68 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_fast.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_high.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_high.inst.cfg index 08f35649fc..42b32a9b24 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_high.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_normal.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_normal.inst.cfg index 7399e2fad7..5ac017dab5 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_normal.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_superdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_superdraft.inst.cfg index 6c5d552671..5c3ad8e6a2 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_superdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_thickerdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_thickerdraft.inst.cfg index f5cd3913a9..92bbbb8b83 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_thickerdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_ultra.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_ultra.inst.cfg index ab4c4ca304..dcb9b49848 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_ultra.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = 2 diff --git a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_verydraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_verydraft.inst.cfg index 9000d79ead..b1affabdbc 100644 --- a/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_verydraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/abs/monoprice_select_mini_v2_abs_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Draft_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Draft_Quality.inst.cfg index 31efc1050a..f899b17075 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Draft_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Fast_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Fast_Quality.inst.cfg index 3f99806784..fcc67cf3a0 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Fast_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_High_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_High_Quality.inst.cfg index 1b88a69cf4..af267645ca 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_High_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Normal_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Normal_Quality.inst.cfg index 53c5482e47..c2e9cfd1d9 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Normal_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_SuperDraft_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_SuperDraft_Quality.inst.cfg index 30591cb516..24eec0fcbe 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_SuperDraft_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_SuperDraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_ThickerDraft_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_ThickerDraft_Quality.inst.cfg index a499534d40..0148225706 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_ThickerDraft_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_ThickerDraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Ultra_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Ultra_Quality.inst.cfg index 3f52ffa599..9afa1aea3a 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Ultra_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_Ultra_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_VeryDraft_Quality.inst.cfg b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_VeryDraft_Quality.inst.cfg index e45cc06308..96cbbb4cf7 100644 --- a/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_VeryDraft_Quality.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/monoprice_select_mini_v2_global_VeryDraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_draft.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_draft.inst.cfg index e27106a5ff..7612993306 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_draft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_fast.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_fast.inst.cfg index bd256e3615..e71bc86845 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_fast.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_high.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_high.inst.cfg index fbb947770b..78b2763403 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_high.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_normal.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_normal.inst.cfg index 1b97af29dc..09b064d5c7 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_normal.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_superdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_superdraft.inst.cfg index 1c0edfbcae..59e8b52a8f 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_superdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_thickerdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_thickerdraft.inst.cfg index 33487a5e12..04a9982e0d 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_thickerdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_ultra.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_ultra.inst.cfg index 489b0a3613..2ffefa0f30 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_ultra.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_verydraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_verydraft.inst.cfg index 96351fc131..705d301495 100644 --- a/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_verydraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/nylon/monoprice_select_mini_v2_nylon_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_draft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_draft.inst.cfg index f3fec5f368..5d0494accc 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_draft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_fast.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_fast.inst.cfg index bf6fcd7d8f..4ac7873321 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_fast.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_high.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_high.inst.cfg index e1d81836fe..09ec8c7ab1 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_high.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_normal.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_normal.inst.cfg index 2cfee896da..763a38589c 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_normal.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_superdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_superdraft.inst.cfg index aeaea4baee..34b0bacb93 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_superdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_thickerdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_thickerdraft.inst.cfg index 89d050a384..22a5018489 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_thickerdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_ultra.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_ultra.inst.cfg index 82c578b939..85c05d7d79 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_ultra.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_verydraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_verydraft.inst.cfg index 9ba7a2d54c..e54ca3b99b 100644 --- a/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_verydraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pc/monoprice_select_mini_v2_pc_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_draft.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_draft.inst.cfg index ebc62d139f..e0e619e767 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_draft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_fast.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_fast.inst.cfg index 8d4f9bad36..846872404f 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_fast.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_high.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_high.inst.cfg index c708b0a4da..97b0165802 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_high.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_normal.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_normal.inst.cfg index bce15505b7..b7b67a9f58 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_normal.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_superdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_superdraft.inst.cfg index 1c1e49d1cc..3373bc277f 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_superdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_thickerdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_thickerdraft.inst.cfg index 9bb186e0fa..7d16f82a44 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_thickerdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_ultra.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_ultra.inst.cfg index 7e923a3de7..2eddce4083 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_ultra.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_verydraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_verydraft.inst.cfg index 7334d13984..2dfd666292 100644 --- a/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_verydraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/petg/monoprice_select_mini_v2_petg_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_draft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_draft.inst.cfg index 75ba80badf..e424be26fd 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_draft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_fast.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_fast.inst.cfg index e4efb31f7a..da21c46d67 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_fast.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_high.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_high.inst.cfg index dce62e029b..1ee7ba64d5 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_high.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = Finer definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_normal.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_normal.inst.cfg index ea1019d2da..4a5dcaa0b1 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_normal.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_superdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_superdraft.inst.cfg index 470e876232..79a88c9049 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_superdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_superdraft.inst.cfg @@ -4,7 +4,7 @@ name = Lowest Quality Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -5 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_thickerdraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_thickerdraft.inst.cfg index 16ff9abac8..7aaff81ca7 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_thickerdraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_thickerdraft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = thickerdraft weight = -3 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_ultra.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_ultra.inst.cfg index 69851f1d36..0d26538219 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_ultra.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Fine definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 2 diff --git a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_verydraft.inst.cfg b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_verydraft.inst.cfg index 0f8fb7e33a..c1645490ad 100644 --- a/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_verydraft.inst.cfg +++ b/resources/quality/monoprice_select_mini_v2/pla/monoprice_select_mini_v2_pla_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Low Detail Draft definition = monoprice_select_mini_v2 [metadata] -setting_version = 18 +setting_version = 19 type = quality material = generic_pla weight = 0 diff --git a/resources/quality/normal.inst.cfg b/resources/quality/normal.inst.cfg index 31a5942c7f..dcb19d7468 100644 --- a/resources/quality/normal.inst.cfg +++ b/resources/quality/normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = fdmprinter [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/nwa3d_a31/nwa3d_a31_best.inst.cfg b/resources/quality/nwa3d_a31/nwa3d_a31_best.inst.cfg index 51d1220724..d38d7eff39 100644 --- a/resources/quality/nwa3d_a31/nwa3d_a31_best.inst.cfg +++ b/resources/quality/nwa3d_a31/nwa3d_a31_best.inst.cfg @@ -5,7 +5,7 @@ name = Best Quality definition = nwa3d_a31 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = best weight = 1 diff --git a/resources/quality/nwa3d_a31/nwa3d_a31_e.inst.cfg b/resources/quality/nwa3d_a31/nwa3d_a31_e.inst.cfg index 1f34b1f04a..d11a4e4b41 100644 --- a/resources/quality/nwa3d_a31/nwa3d_a31_e.inst.cfg +++ b/resources/quality/nwa3d_a31/nwa3d_a31_e.inst.cfg @@ -4,7 +4,7 @@ name = 0.6 Engineering Quality definition = nwa3d_a31 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = Engineering weight = -2 diff --git a/resources/quality/nwa3d_a31/nwa3d_a31_fast.inst.cfg b/resources/quality/nwa3d_a31/nwa3d_a31_fast.inst.cfg index e9cd79ee27..a91cf710e2 100644 --- a/resources/quality/nwa3d_a31/nwa3d_a31_fast.inst.cfg +++ b/resources/quality/nwa3d_a31/nwa3d_a31_fast.inst.cfg @@ -5,7 +5,7 @@ name = Fast Quality definition = nwa3d_a31 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/nwa3d_a31/nwa3d_a31_normal.inst.cfg b/resources/quality/nwa3d_a31/nwa3d_a31_normal.inst.cfg index 48dc561c45..d26c842193 100644 --- a/resources/quality/nwa3d_a31/nwa3d_a31_normal.inst.cfg +++ b/resources/quality/nwa3d_a31/nwa3d_a31_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = nwa3d_a31 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/nwa3d_a5/nwa3d_a5_best.inst.cfg b/resources/quality/nwa3d_a5/nwa3d_a5_best.inst.cfg index bf90f99360..eda1c583d8 100644 --- a/resources/quality/nwa3d_a5/nwa3d_a5_best.inst.cfg +++ b/resources/quality/nwa3d_a5/nwa3d_a5_best.inst.cfg @@ -4,7 +4,7 @@ name = Best Quality definition = nwa3d_a5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = best weight = 1 diff --git a/resources/quality/nwa3d_a5/nwa3d_a5_fast.inst.cfg b/resources/quality/nwa3d_a5/nwa3d_a5_fast.inst.cfg index 827fea8996..b7aa84ac2b 100644 --- a/resources/quality/nwa3d_a5/nwa3d_a5_fast.inst.cfg +++ b/resources/quality/nwa3d_a5/nwa3d_a5_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast Quality definition = nwa3d_a5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/nwa3d_a5/nwa3d_a5_normal.inst.cfg b/resources/quality/nwa3d_a5/nwa3d_a5_normal.inst.cfg index 153525a4c4..3582f318af 100644 --- a/resources/quality/nwa3d_a5/nwa3d_a5_normal.inst.cfg +++ b/resources/quality/nwa3d_a5/nwa3d_a5_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = nwa3d_a5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/peopoly_moai/peopoly_moai_coarse.inst.cfg b/resources/quality/peopoly_moai/peopoly_moai_coarse.inst.cfg index f91a7b40be..5c5e493de9 100644 --- a/resources/quality/peopoly_moai/peopoly_moai_coarse.inst.cfg +++ b/resources/quality/peopoly_moai/peopoly_moai_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = peopoly_moai [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 3 diff --git a/resources/quality/peopoly_moai/peopoly_moai_draft.inst.cfg b/resources/quality/peopoly_moai/peopoly_moai_draft.inst.cfg index 9e90a2addf..8c7dd2adb3 100644 --- a/resources/quality/peopoly_moai/peopoly_moai_draft.inst.cfg +++ b/resources/quality/peopoly_moai/peopoly_moai_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = peopoly_moai [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/peopoly_moai/peopoly_moai_extra_high.inst.cfg b/resources/quality/peopoly_moai/peopoly_moai_extra_high.inst.cfg index 41adef75df..2fea5db079 100644 --- a/resources/quality/peopoly_moai/peopoly_moai_extra_high.inst.cfg +++ b/resources/quality/peopoly_moai/peopoly_moai_extra_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra High definition = peopoly_moai [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra_high weight = 0 diff --git a/resources/quality/peopoly_moai/peopoly_moai_high.inst.cfg b/resources/quality/peopoly_moai/peopoly_moai_high.inst.cfg index 7cbd6aea51..e16510888d 100644 --- a/resources/quality/peopoly_moai/peopoly_moai_high.inst.cfg +++ b/resources/quality/peopoly_moai/peopoly_moai_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = peopoly_moai [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/peopoly_moai/peopoly_moai_normal.inst.cfg b/resources/quality/peopoly_moai/peopoly_moai_normal.inst.cfg index 88eeef51c2..c14711c731 100644 --- a/resources/quality/peopoly_moai/peopoly_moai_normal.inst.cfg +++ b/resources/quality/peopoly_moai/peopoly_moai_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = peopoly_moai [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_adaptive.inst.cfg b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_adaptive.inst.cfg index a5269846d2..bfe66a99cb 100644 --- a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_adaptive.inst.cfg +++ b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_good.inst.cfg b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_good.inst.cfg index b29c451e20..bcb5f5866b 100644 --- a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_good.inst.cfg +++ b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_good.inst.cfg @@ -4,7 +4,7 @@ name = Good Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = good material = generic_abs diff --git a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_low.inst.cfg b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_low.inst.cfg index 66e10cd57d..9cd21d05ab 100644 --- a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_low.inst.cfg +++ b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_standard.inst.cfg b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_standard.inst.cfg index e6bd5fa478..46611300bb 100644 --- a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_standard.inst.cfg +++ b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_super.inst.cfg b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_super.inst.cfg index a2779842ae..f68beb31c2 100644 --- a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_super.inst.cfg +++ b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_ultra.inst.cfg b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_ultra.inst.cfg index 96739f1e34..9442f8bc86 100644 --- a/resources/quality/rigid3d_base/abs/rigid3d_base_abs_ultra.inst.cfg +++ b/resources/quality/rigid3d_base/abs/rigid3d_base_abs_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_adaptive.inst.cfg b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_adaptive.inst.cfg index b3e0fccce8..dcbb011c18 100644 --- a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_adaptive.inst.cfg +++ b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_nylon diff --git a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_good.inst.cfg b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_good.inst.cfg index 5d2b07f080..dba0a1e9ce 100644 --- a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_good.inst.cfg +++ b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_good.inst.cfg @@ -4,7 +4,7 @@ name = Good Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = good material = generic_nylon diff --git a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_low.inst.cfg b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_low.inst.cfg index b02072c310..f5bd2fd2ba 100644 --- a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_low.inst.cfg +++ b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_nylon diff --git a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_standard.inst.cfg b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_standard.inst.cfg index b7e9e510c8..6773e95aa9 100644 --- a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_standard.inst.cfg +++ b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_nylon diff --git a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_super.inst.cfg b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_super.inst.cfg index fbd7e59786..19844b1221 100644 --- a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_super.inst.cfg +++ b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_nylon diff --git a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_ultra.inst.cfg b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_ultra.inst.cfg index b0d052e21a..a6545e3a5b 100644 --- a/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_ultra.inst.cfg +++ b/resources/quality/rigid3d_base/nylon/rigid3d_base_nylon_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_nylon diff --git a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_adaptive.inst.cfg b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_adaptive.inst.cfg index e5b57f0bcd..08a6d003d9 100644 --- a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_adaptive.inst.cfg +++ b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_good.inst.cfg b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_good.inst.cfg index 687c11f9fc..f8cb487064 100644 --- a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_good.inst.cfg +++ b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_good.inst.cfg @@ -4,7 +4,7 @@ name = Good Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = good material = generic_petg diff --git a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_low.inst.cfg b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_low.inst.cfg index 341b9cd50b..f35abb61fc 100644 --- a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_low.inst.cfg +++ b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_standard.inst.cfg b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_standard.inst.cfg index 0d73221fd7..67bb74b5a0 100644 --- a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_standard.inst.cfg +++ b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_super.inst.cfg b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_super.inst.cfg index b22dbc13fb..af480ff509 100644 --- a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_super.inst.cfg +++ b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_ultra.inst.cfg b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_ultra.inst.cfg index 68deb6bb64..2d32109542 100644 --- a/resources/quality/rigid3d_base/petg/rigid3d_base_petg_ultra.inst.cfg +++ b/resources/quality/rigid3d_base/petg/rigid3d_base_petg_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_adaptive.inst.cfg b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_adaptive.inst.cfg index 7242215a3c..64049ab51b 100644 --- a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_adaptive.inst.cfg +++ b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_good.inst.cfg b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_good.inst.cfg index ffc1c6d3f2..9b0f95ae25 100644 --- a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_good.inst.cfg +++ b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_good.inst.cfg @@ -4,7 +4,7 @@ name = Good Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = good material = generic_pla diff --git a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_low.inst.cfg b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_low.inst.cfg index 9b64e26fa5..7dafe67c4f 100644 --- a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_low.inst.cfg +++ b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_standard.inst.cfg b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_standard.inst.cfg index 5581e546aa..a78afb108a 100644 --- a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_standard.inst.cfg +++ b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_super.inst.cfg b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_super.inst.cfg index 96906e799c..71a4253d9b 100644 --- a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_super.inst.cfg +++ b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_ultra.inst.cfg b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_ultra.inst.cfg index c416580eb5..2ff46be0b8 100644 --- a/resources/quality/rigid3d_base/pla/rigid3d_base_pla_ultra.inst.cfg +++ b/resources/quality/rigid3d_base/pla/rigid3d_base_pla_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/rigid3d_base/rigid3d_base_global_adaptive.inst.cfg b/resources/quality/rigid3d_base/rigid3d_base_global_adaptive.inst.cfg index a09de7b8d5..67db5f127c 100644 --- a/resources/quality/rigid3d_base/rigid3d_base_global_adaptive.inst.cfg +++ b/resources/quality/rigid3d_base/rigid3d_base_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -6 diff --git a/resources/quality/rigid3d_base/rigid3d_base_global_good.inst.cfg b/resources/quality/rigid3d_base/rigid3d_base_global_good.inst.cfg index ed77c982be..6ee179a6fb 100644 --- a/resources/quality/rigid3d_base/rigid3d_base_global_good.inst.cfg +++ b/resources/quality/rigid3d_base/rigid3d_base_global_good.inst.cfg @@ -4,7 +4,7 @@ name = Good Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = good weight = -2 diff --git a/resources/quality/rigid3d_base/rigid3d_base_global_low.inst.cfg b/resources/quality/rigid3d_base/rigid3d_base_global_low.inst.cfg index 2435a9b815..0a59e4833a 100644 --- a/resources/quality/rigid3d_base/rigid3d_base_global_low.inst.cfg +++ b/resources/quality/rigid3d_base/rigid3d_base_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/rigid3d_base/rigid3d_base_global_standard.inst.cfg b/resources/quality/rigid3d_base/rigid3d_base_global_standard.inst.cfg index 0037047589..527af7565d 100644 --- a/resources/quality/rigid3d_base/rigid3d_base_global_standard.inst.cfg +++ b/resources/quality/rigid3d_base/rigid3d_base_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/rigid3d_base/rigid3d_base_global_super.inst.cfg b/resources/quality/rigid3d_base/rigid3d_base_global_super.inst.cfg index 5c3666aafd..cec42523dc 100644 --- a/resources/quality/rigid3d_base/rigid3d_base_global_super.inst.cfg +++ b/resources/quality/rigid3d_base/rigid3d_base_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/rigid3d_base/rigid3d_base_global_ultra.inst.cfg b/resources/quality/rigid3d_base/rigid3d_base_global_ultra.inst.cfg index 9ea438dfc7..9a88c02ca8 100644 --- a/resources/quality/rigid3d_base/rigid3d_base_global_ultra.inst.cfg +++ b/resources/quality/rigid3d_base/rigid3d_base_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_adaptive.inst.cfg b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_adaptive.inst.cfg index 9e151d5d0c..0bbf74e3b2 100644 --- a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_adaptive.inst.cfg +++ b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_good.inst.cfg b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_good.inst.cfg index 0e173488ff..53eed1dac9 100644 --- a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_good.inst.cfg +++ b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_good.inst.cfg @@ -4,7 +4,7 @@ name = Good Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = good material = generic_tpu diff --git a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_low.inst.cfg b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_low.inst.cfg index b8ae29529f..496f4c5a4a 100644 --- a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_low.inst.cfg +++ b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_standard.inst.cfg b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_standard.inst.cfg index 36b1b513e1..263ab96ee7 100644 --- a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_standard.inst.cfg +++ b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_super.inst.cfg b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_super.inst.cfg index 33de3d81bb..73f59d3109 100644 --- a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_super.inst.cfg +++ b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_ultra.inst.cfg b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_ultra.inst.cfg index b20a43c9a1..bacaca0f0e 100644 --- a/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_ultra.inst.cfg +++ b/resources/quality/rigid3d_base/tpu/rigid3d_base_tpu_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = rigid3d_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_tpu diff --git a/resources/quality/skriware_2/sk2_advanced.inst.cfg b/resources/quality/skriware_2/sk2_advanced.inst.cfg index 0a2834fc1f..3cf55a13b3 100644 --- a/resources/quality/skriware_2/sk2_advanced.inst.cfg +++ b/resources/quality/skriware_2/sk2_advanced.inst.cfg @@ -4,7 +4,7 @@ name = Advanced definition = skriware_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/skriware_2/sk2_fast.inst.cfg b/resources/quality/skriware_2/sk2_fast.inst.cfg index 7e514d0596..60b35cabac 100644 --- a/resources/quality/skriware_2/sk2_fast.inst.cfg +++ b/resources/quality/skriware_2/sk2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = skriware_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/skriware_2/sk2_precise.inst.cfg b/resources/quality/skriware_2/sk2_precise.inst.cfg index a7b0958c34..70b142e4a1 100644 --- a/resources/quality/skriware_2/sk2_precise.inst.cfg +++ b/resources/quality/skriware_2/sk2_precise.inst.cfg @@ -4,7 +4,7 @@ name = Precise definition = skriware_2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = best weight = -1 diff --git a/resources/quality/snapmaker2/snapmaker2_fast.inst.cfg b/resources/quality/snapmaker2/snapmaker2_fast.inst.cfg index f2351a4bcc..61fc8faacc 100644 --- a/resources/quality/snapmaker2/snapmaker2_fast.inst.cfg +++ b/resources/quality/snapmaker2/snapmaker2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = snapmaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/snapmaker2/snapmaker2_high.inst.cfg b/resources/quality/snapmaker2/snapmaker2_high.inst.cfg index 960e56aa39..b29b00acd1 100644 --- a/resources/quality/snapmaker2/snapmaker2_high.inst.cfg +++ b/resources/quality/snapmaker2/snapmaker2_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = snapmaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/snapmaker2/snapmaker2_normal.inst.cfg b/resources/quality/snapmaker2/snapmaker2_normal.inst.cfg index d698d2a40e..cb1127cf35 100644 --- a/resources/quality/snapmaker2/snapmaker2_normal.inst.cfg +++ b/resources/quality/snapmaker2/snapmaker2_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = snapmaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_A.inst.cfg index 89551e9f46..1dc1a6311c 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_B.inst.cfg index 29037fcc88..971d220800 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_C.inst.cfg index 334a8ef3ee..fec34c79ce 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_A.inst.cfg index a116c750a1..dc61d03a2b 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_B.inst.cfg index 0c4fb5d4f8..61e55eecb3 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_C.inst.cfg index ee81130483..515a436dbc 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_A.inst.cfg index 1739799c63..4bdab03ac7 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_B.inst.cfg index 90dbf92dd0..13ba128fa7 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_C.inst.cfg index 1b3628476b..611be6c449 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ACETATE_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_A.inst.cfg index e50166c1d9..33498e8ca0 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_B.inst.cfg index 094b55e21f..be7082ba4f 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_C.inst.cfg index b41328fee5..d574bcf986 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_ASA-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_A.inst.cfg index 476c491bdd..7c2c404ff5 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_B.inst.cfg index 10783a5522..1c5045724d 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_C.inst.cfg index 35735e522c..39f6e34b65 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_COPA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_A.inst.cfg index 5f5387e29f..2eea7fd42a 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_B.inst.cfg index 2caba17da8..abdb32ee45 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_C.inst.cfg index 0bb83e56b1..aab29a9104 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_HIPS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_A.inst.cfg index 21fbc3e0b8..1edee961de 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_B.inst.cfg index 3399e70e11..6f4fc8f8cb 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_C.inst.cfg index 7a14626208..4cd7037777 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PC_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PEKK_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PEKK_B.inst.cfg index 0cf3f9e0c8..c7996658cf 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PEKK_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PEKK_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_A.inst.cfg index cfe5ef0743..deb330eb49 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_B.inst.cfg index a0b4926fea..7f880de38c 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_C.inst.cfg index 78c169013e..790f23f20c 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_A.inst.cfg index 98a4bc05d7..581bd89054 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_B.inst.cfg index a290c6ea5a..4f51f3d871 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_C.inst.cfg index 0ef14ce119..ad4852eea5 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_A.inst.cfg index 27b57c6bc4..48df820abd 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_B.inst.cfg index d7aeb06fe0..47320f8b06 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_C.inst.cfg index e610213087..095916ad8c 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_PLA_HT_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_A.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_A.inst.cfg index 2a3897f227..9ad93e2e88 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_A.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_B.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_B.inst.cfg index b522d652c8..40f7956823 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_B.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_C.inst.cfg b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_C.inst.cfg index dd0b01f88a..35d5acff6a 100644 --- a/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_C.inst.cfg +++ b/resources/quality/strateo3d/HT0.4/s3d_ht0.4_TPU98A_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_A.inst.cfg index abd0b9e54a..b74e1ff4c5 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_B.inst.cfg index db416ef402..2e8ceae76f 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_C.inst.cfg index 2c1881e7d4..7502129535 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_A.inst.cfg index f45c3b1b1e..2d6d0e58be 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_B.inst.cfg index 95deaf2f66..3a77c29402 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_C.inst.cfg index ba520e8117..fc19c0b41b 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_A.inst.cfg index 4f37debb68..346cc59243 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_B.inst.cfg index 591d365f28..224f099b01 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_C.inst.cfg index a29f00777e..683e437872 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ACETATE_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_A.inst.cfg index 4395534373..e765ca1b78 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_B.inst.cfg index 811d78c796..c9f4a99372 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_C.inst.cfg index 880ebd9a59..21dffeb15f 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_ASA-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_A.inst.cfg index 0330899d65..d1b0509a4e 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_B.inst.cfg index 3e823ad40f..01982d19ff 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_C.inst.cfg index 1b22d74188..3432f01b66 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_BVOH_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_A.inst.cfg index 7d68ddb3e2..65336ca37b 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_B.inst.cfg index 4084a089c8..b0570afacd 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_C.inst.cfg index f4fc3b09d2..8db954535e 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_COPA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_A.inst.cfg index 6e91b32e96..9d31c97bed 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_B.inst.cfg index cf76e51174..911ebc77a7 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_C.inst.cfg index bab73b3bcb..d18f7d105b 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_HIPS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_A.inst.cfg index 0e1d5c1263..90ae1cee2b 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_B.inst.cfg index df2fd2c657..2a9359da2e 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_C.inst.cfg index 4721991608..8e40e1781c 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PC_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_A.inst.cfg index 6a2c72a11d..f6abf0be68 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_B.inst.cfg index 7686a188a2..7f1c7cb875 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_C.inst.cfg index 3a1d8bba84..ab9d805435 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_A.inst.cfg index 01d485d417..5c2c28cb42 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_B.inst.cfg index 435b79b3c5..db6a2c7aa7 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_C.inst.cfg index 5d5e169ea2..9e2fc7cb1d 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_A.inst.cfg index e1517d4e7a..8bd99de768 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_B.inst.cfg index d0a3cb0ae8..31c7ed0ab5 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_C.inst.cfg index 6eca6cc5f4..d495cd2309 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PLA_HT_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_A.inst.cfg index dd9ee669d6..05de9e2032 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_B.inst.cfg index 7742f8f8fe..008961e416 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_C.inst.cfg index 6efe4750e7..d40596bbc8 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-M_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_A.inst.cfg index 12eff1dbd2..45f41a31f7 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_B.inst.cfg index 0efcb3ff85..bbf659f584 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_C.inst.cfg index 998827ba93..02c53d8b86 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_PVA-S_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_A.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_A.inst.cfg index a284ec5c89..b86019f3f7 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_A.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_A.inst.cfg @@ -4,7 +4,7 @@ name = A definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_B.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_B.inst.cfg index 7097fb3816..e0dc3b7c91 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_C.inst.cfg b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_C.inst.cfg index 63422a603f..ca7f7964b4 100644 --- a/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.4/s3d_std0.4_TPU98A_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_B.inst.cfg index 49783de2f3..f3e59223d3 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_C.inst.cfg index 8eb7caed84..d497cbbf9d 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_D.inst.cfg index ee1595565d..1652f1010d 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS-X_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_B.inst.cfg index 7773d40079..4b523e6042 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_C.inst.cfg index 29b59e3b50..71602c07fe 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_D.inst.cfg index fff8ff10dd..9f6164a184 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_B.inst.cfg index f412f226fb..56bc34212a 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_C.inst.cfg index 1980b6dd55..e81dce382f 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_D.inst.cfg index b72c2fd6e0..09d3073254 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ACETATE_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_B.inst.cfg index 63b43b7d1c..2d1657ea59 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_C.inst.cfg index 4e4efd5b5a..df93b0eb82 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_D.inst.cfg index 1e5b505c13..471b1c5979 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_ASA-X_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_B.inst.cfg index db88118550..9933c3be44 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_C.inst.cfg index ece6886672..24153ae7c8 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_D.inst.cfg index 9c9fc7432b..a942b34716 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_BVOH_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_B.inst.cfg index abbc8696cb..b06afddfc9 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_C.inst.cfg index 1b7b7869b3..1d44be26d5 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_D.inst.cfg index 97ced29456..cf9fae9f4a 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_COPA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_B.inst.cfg index f116dddc87..261b5162b6 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_C.inst.cfg index ae6f9e035a..e242a1a7f7 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_D.inst.cfg index cb233b38ad..badad0d793 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_HIPS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_Nylon-1030_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_Nylon-1030_C.inst.cfg index 7d662735a3..8cd8ca4398 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_Nylon-1030_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_Nylon-1030_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_B.inst.cfg index 85487ea214..7998efcf6c 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_C.inst.cfg index ee66fc78e1..2a4d3a1fe2 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_D.inst.cfg index fad2a7b637..37fd06cfc2 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PC_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_B.inst.cfg index 68489ba668..d2730e84e3 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_C.inst.cfg index 246963a722..105153e3f1 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_D.inst.cfg index eeb78cdb07..cc856632a3 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_B.inst.cfg index 3823b16dac..7bb4b5ce1c 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_C.inst.cfg index e88b9570a7..c207ae7442 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_D.inst.cfg index 2f4e7410cf..d04801ff13 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_B.inst.cfg index 61e86b55b1..3776972f67 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_C.inst.cfg index cd565a1f86..417557c09d 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_D.inst.cfg index 7867faef95..0366cd10eb 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PLA_HT_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_B.inst.cfg index d23b44a489..9a727db441 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_C.inst.cfg index 703988415e..21898c3efb 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_D.inst.cfg index 223caaf891..41ba11ebc4 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-M_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_B.inst.cfg index a49deb2b3b..a6075e3b8e 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_C.inst.cfg index 9f5c6ff294..65d3edc604 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_D.inst.cfg index c7e52fbab7..756ac4cd19 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_PVA-S_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_B.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_B.inst.cfg index f2b2cd6a61..b6ae777455 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_B.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_B.inst.cfg @@ -4,7 +4,7 @@ name = B definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_C.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_C.inst.cfg index c4d96c8fb3..6f1a5e2ff6 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_D.inst.cfg b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_D.inst.cfg index 78ec110683..09acacc6ae 100644 --- a/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.6/s3d_std0.6_TPU98A_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_C.inst.cfg index c4a33e338d..986ea3b8de 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_D.inst.cfg index 7e3c21955e..abd6a3cc24 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_E.inst.cfg index 540a9c3e3e..4ef38ee0b6 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS-X_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_C.inst.cfg index f8cedc16f7..ee8829a9f9 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_D.inst.cfg index 72546f5e3d..db2e187aa2 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_E.inst.cfg index ff4e0a6540..87d581c9e8 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_C.inst.cfg index 34f79cdb8b..6b82ece00f 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_D.inst.cfg index f47544976f..5f0b318901 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_E.inst.cfg index b95d1f8d9f..3c288afae1 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_ASA-X_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_C.inst.cfg index d78f1673f6..dd70b93ab7 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_D.inst.cfg index 258d8445e1..fba6880e90 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_E.inst.cfg index e524d27766..800708271d 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_BVOH_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_C.inst.cfg index b44e15532e..ee17bf302d 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_D.inst.cfg index ae6fbc1eec..88bfda75fa 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_E.inst.cfg index 799bd73a6a..2445bc8c90 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_COPA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_C.inst.cfg index 694911df29..357d4fb14f 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_D.inst.cfg index 25a50e4f02..8750080237 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_E.inst.cfg index 6b26896dba..393c050047 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_HIPS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_C.inst.cfg index eb011f28f9..ed2167a876 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_D.inst.cfg index feebe903d3..351019fce4 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_E.inst.cfg index 0dd7341dfb..7e23a4b408 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PC_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_C.inst.cfg index 1704a03f80..1e0729af15 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_D.inst.cfg index 06bb136416..1de79ab7ec 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_E.inst.cfg index 365d9e63d6..766e7901b9 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PETG_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_C.inst.cfg index eb31b5e5e2..4a359f9d5d 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_D.inst.cfg index c6dc6c0e8b..e12b87a2d1 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_E.inst.cfg index c2db41490c..b15cff0027 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_C.inst.cfg index f7dbf60c34..8be55ca563 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_D.inst.cfg index dc2055766b..c6a07a69ea 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_E.inst.cfg index 0da03265ba..5f87af35cd 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PLA_HT_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_C.inst.cfg index 8a829311e3..4f222114b9 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_D.inst.cfg index d5a0038d54..f1a66b2cf0 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_E.inst.cfg index 68d3883f92..c4593b4f46 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-M_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_C.inst.cfg index f7ca8f81ba..10633926c1 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_D.inst.cfg index 316070b0c0..41e4e825f1 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_E.inst.cfg index c28577137f..9d4e438e06 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_PVA-S_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_C.inst.cfg index 9fdd47b753..256b76ed19 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_D.inst.cfg index ccb8c0fbc6..aa2aea28aa 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_E.inst.cfg index 9e9e315390..882b7a3a2e 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU98A_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_C.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_C.inst.cfg index e80eb76d62..41449fc375 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_C.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_C.inst.cfg @@ -4,7 +4,7 @@ name = C definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 1 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_D.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_D.inst.cfg index 5fb3b8edb3..704977d1e9 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_E.inst.cfg b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_E.inst.cfg index c9b51e131b..abe42a26dd 100644 --- a/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_0.8/s3d_std0.8_TPU_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_D.inst.cfg index 04ffd8704f..725cd92b29 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_E.inst.cfg index 3d0d0119e4..36dc0f8999 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_F.inst.cfg index 3580b44463..5738e3efdc 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ABS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_D.inst.cfg index 1b4ac80d25..a64a0accfc 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_E.inst.cfg index 66681d72f3..3c236fcb1c 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_F.inst.cfg index d8c13fcce4..7f140dad36 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_ASA-X_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_D.inst.cfg index c6e892373c..3a1b7923ce 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_E.inst.cfg index c488b29b55..d40089934c 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_F.inst.cfg index 9980fe7549..eda59f1521 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_BVOH_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_D.inst.cfg index e13d6ed6c7..8e3b695316 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_E.inst.cfg index f2dff03761..b2fb04b52c 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_F.inst.cfg index f7226627f3..99c4c81276 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_HIPS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_D.inst.cfg index 829caf50c9..01d094f1d6 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_E.inst.cfg index c0652c1936..675e30e749 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_F.inst.cfg index 2ddee7ee37..3954a5f16f 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PETG_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_D.inst.cfg index 680f4bf01d..1f1d3c14ac 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_E.inst.cfg index ab56ff0e3f..0bbaaa5718 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_F.inst.cfg index f84a929c67..dddf0f2d7e 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PLA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_D.inst.cfg index 770bc7c2ee..1c12333e65 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_E.inst.cfg index f4e5e23303..cc30c6b6f6 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_F.inst.cfg index 8f53cb2297..c5cdc89bcb 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-M_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_D.inst.cfg index 5d77c5dd50..a22761fd87 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_E.inst.cfg index 2405bf9082..89ea8a883e 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_F.inst.cfg index 4c7540b3f2..07125e41c3 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_PVA-S_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_D.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_D.inst.cfg index 52861f1b34..03ade3c05e 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_D.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_D.inst.cfg @@ -4,7 +4,7 @@ name = D definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_E.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_E.inst.cfg index 6089e4f4ea..02ac1a8073 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_E.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_E.inst.cfg @@ -4,7 +4,7 @@ name = E definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_F.inst.cfg b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_F.inst.cfg index 4cbb73f2a7..8e47ff7b88 100644 --- a/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.0_Experimental/s3d_std1.0_TPU98A_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_F.inst.cfg index 7eaa8d8ea5..42857250c3 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_G.inst.cfg index 7577ac41c6..6f40ab794e 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_H.inst.cfg index 75c112a68d..b3104df8d7 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ABS_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_F.inst.cfg index eaaec2a630..7ae68c9915 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_G.inst.cfg index 5fb30caf70..30c96f1255 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_H.inst.cfg index 635246c4ff..3481dfc0b2 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_ASA-X_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_F.inst.cfg index 5d023ff90d..a9ed03b1c9 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_G.inst.cfg index 1b1f315b51..5fc8ee64e7 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_H.inst.cfg index c5bca514ec..202407e7e3 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_BVOH_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_F.inst.cfg index 91056b5269..a18e32d0ab 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_G.inst.cfg index f39cf2850b..93fe02f6ee 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_H.inst.cfg index 4b62476460..835bd801a2 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_HIPS_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_F.inst.cfg index d402825375..de59962260 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_G.inst.cfg index 8815ce129c..d41e1d5360 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_H.inst.cfg index e2295e9f42..a2955f65a8 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PETG_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_F.inst.cfg index 046b7e68b6..71c0e26048 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_G.inst.cfg index 0833e188c4..7b20700ee3 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_H.inst.cfg index c5a2871bd0..2e7383a2ba 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PLA_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_F.inst.cfg index 24d1f4daad..f36dd37630 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_G.inst.cfg index 317b454525..fde7c5c17e 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_H.inst.cfg index 0715bce9a6..1dad64d8b4 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-M_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_F.inst.cfg index 8c4af9d99b..83634bc1c9 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_G.inst.cfg index c6f1241a96..5d4bc4204e 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_H.inst.cfg index 80564515c5..372d709ac3 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_PVA-S_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_F.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_F.inst.cfg index 87e129e9d2..ca7c8ada2d 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_F.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_F.inst.cfg @@ -4,7 +4,7 @@ name = F definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 1 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_G.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_G.inst.cfg index 7b2222dae0..c840c74ac2 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_G.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_G.inst.cfg @@ -4,7 +4,7 @@ name = G definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_H.inst.cfg b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_H.inst.cfg index 0165093f5c..bda19fbdb0 100644 --- a/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_H.inst.cfg +++ b/resources/quality/strateo3d/Standard_1.2_Experimental/s3d_std1.2_TPU98A_H.inst.cfg @@ -4,7 +4,7 @@ name = H definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = -1 diff --git a/resources/quality/strateo3d/s3d_global_A.inst.cfg b/resources/quality/strateo3d/s3d_global_A.inst.cfg index a5f5d9843f..78fadd5220 100644 --- a/resources/quality/strateo3d/s3d_global_A.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_A.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = a weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_B.inst.cfg b/resources/quality/strateo3d/s3d_global_B.inst.cfg index bc9b995c78..d3ce3236b7 100644 --- a/resources/quality/strateo3d/s3d_global_B.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_B.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = b weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_C.inst.cfg b/resources/quality/strateo3d/s3d_global_C.inst.cfg index 61053f674a..af258f8f3e 100644 --- a/resources/quality/strateo3d/s3d_global_C.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_C.inst.cfg @@ -4,7 +4,7 @@ name = High Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = c weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_D.inst.cfg b/resources/quality/strateo3d/s3d_global_D.inst.cfg index b5bc7c2372..ada4b19099 100644 --- a/resources/quality/strateo3d/s3d_global_D.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_D.inst.cfg @@ -4,7 +4,7 @@ name = Medium Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = d weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_E.inst.cfg b/resources/quality/strateo3d/s3d_global_E.inst.cfg index 63430f0b50..40fe09dbc6 100644 --- a/resources/quality/strateo3d/s3d_global_E.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_E.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = e weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_F.inst.cfg b/resources/quality/strateo3d/s3d_global_F.inst.cfg index da3a5bf9da..c443a5a1c4 100644 --- a/resources/quality/strateo3d/s3d_global_F.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_F.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = f weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_G.inst.cfg b/resources/quality/strateo3d/s3d_global_G.inst.cfg index 8bdfd7476c..127cede3d2 100644 --- a/resources/quality/strateo3d/s3d_global_G.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_G.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = g weight = 0 diff --git a/resources/quality/strateo3d/s3d_global_H.inst.cfg b/resources/quality/strateo3d/s3d_global_H.inst.cfg index 2aa063f8fb..d72eec96f9 100644 --- a/resources/quality/strateo3d/s3d_global_H.inst.cfg +++ b/resources/quality/strateo3d/s3d_global_H.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Coarse Quality definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = h weight = 0 diff --git a/resources/quality/tevo_blackwidow/tevo_blackwidow_draft.inst.cfg b/resources/quality/tevo_blackwidow/tevo_blackwidow_draft.inst.cfg index ec28c6c6d0..0f675eb95a 100644 --- a/resources/quality/tevo_blackwidow/tevo_blackwidow_draft.inst.cfg +++ b/resources/quality/tevo_blackwidow/tevo_blackwidow_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tevo_blackwidow [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tevo_blackwidow/tevo_blackwidow_high.inst.cfg b/resources/quality/tevo_blackwidow/tevo_blackwidow_high.inst.cfg index 6af4245850..81e49b44a2 100644 --- a/resources/quality/tevo_blackwidow/tevo_blackwidow_high.inst.cfg +++ b/resources/quality/tevo_blackwidow/tevo_blackwidow_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tevo_blackwidow [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tevo_blackwidow/tevo_blackwidow_normal.inst.cfg b/resources/quality/tevo_blackwidow/tevo_blackwidow_normal.inst.cfg index dc859f7069..36001e8a45 100644 --- a/resources/quality/tevo_blackwidow/tevo_blackwidow_normal.inst.cfg +++ b/resources/quality/tevo_blackwidow/tevo_blackwidow_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tevo_blackwidow [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tinyboy/tinyboy_e10_draft.inst.cfg b/resources/quality/tinyboy/tinyboy_e10_draft.inst.cfg index 0095052d6c..7405fdcbd1 100644 --- a/resources/quality/tinyboy/tinyboy_e10_draft.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_e10_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tinyboy_e10 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/tinyboy/tinyboy_e10_high.inst.cfg b/resources/quality/tinyboy/tinyboy_e10_high.inst.cfg index b7ce7f8328..71bed041fa 100644 --- a/resources/quality/tinyboy/tinyboy_e10_high.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_e10_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tinyboy_e10 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 2 diff --git a/resources/quality/tinyboy/tinyboy_e10_normal.inst.cfg b/resources/quality/tinyboy/tinyboy_e10_normal.inst.cfg index 3ab6042f12..6ab51f7835 100644 --- a/resources/quality/tinyboy/tinyboy_e10_normal.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_e10_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tinyboy_e10 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 1 diff --git a/resources/quality/tinyboy/tinyboy_e16_draft.inst.cfg b/resources/quality/tinyboy/tinyboy_e16_draft.inst.cfg index 9771892eb7..eb4d13ae28 100644 --- a/resources/quality/tinyboy/tinyboy_e16_draft.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_e16_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tinyboy_e16 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/tinyboy/tinyboy_e16_high.inst.cfg b/resources/quality/tinyboy/tinyboy_e16_high.inst.cfg index e7fdb9001a..efb6e4a134 100644 --- a/resources/quality/tinyboy/tinyboy_e16_high.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_e16_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tinyboy_e16 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 2 diff --git a/resources/quality/tinyboy/tinyboy_e16_normal.inst.cfg b/resources/quality/tinyboy/tinyboy_e16_normal.inst.cfg index b2856496b5..08944a6d1e 100644 --- a/resources/quality/tinyboy/tinyboy_e16_normal.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_e16_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tinyboy_e16 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 1 diff --git a/resources/quality/tinyboy/tinyboy_fabrikator15_draft.inst.cfg b/resources/quality/tinyboy/tinyboy_fabrikator15_draft.inst.cfg index 4b0dfc8623..a47eee4c3d 100644 --- a/resources/quality/tinyboy/tinyboy_fabrikator15_draft.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_fabrikator15_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tinyboy_fabrikator15 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/tinyboy/tinyboy_fabrikator15_high.inst.cfg b/resources/quality/tinyboy/tinyboy_fabrikator15_high.inst.cfg index efae1be10b..6a30a9483d 100644 --- a/resources/quality/tinyboy/tinyboy_fabrikator15_high.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_fabrikator15_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tinyboy_fabrikator15 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 2 diff --git a/resources/quality/tinyboy/tinyboy_fabrikator15_normal.inst.cfg b/resources/quality/tinyboy/tinyboy_fabrikator15_normal.inst.cfg index 73a1d5a310..4349fb00a9 100644 --- a/resources/quality/tinyboy/tinyboy_fabrikator15_normal.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_fabrikator15_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tinyboy_fabrikator15 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 1 diff --git a/resources/quality/tinyboy/tinyboy_ra20_draft.inst.cfg b/resources/quality/tinyboy/tinyboy_ra20_draft.inst.cfg index ff88ce2e02..cad7a5aa02 100644 --- a/resources/quality/tinyboy/tinyboy_ra20_draft.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_ra20_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tinyboy_ra20 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/tinyboy/tinyboy_ra20_high.inst.cfg b/resources/quality/tinyboy/tinyboy_ra20_high.inst.cfg index 8ae28b4aa1..6c38dc1c5a 100644 --- a/resources/quality/tinyboy/tinyboy_ra20_high.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_ra20_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tinyboy_ra20 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 2 diff --git a/resources/quality/tinyboy/tinyboy_ra20_normal.inst.cfg b/resources/quality/tinyboy/tinyboy_ra20_normal.inst.cfg index a2418c6d09..2136219176 100644 --- a/resources/quality/tinyboy/tinyboy_ra20_normal.inst.cfg +++ b/resources/quality/tinyboy/tinyboy_ra20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tinyboy_ra20 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.2_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.2_abs_high.inst.cfg index c8b5042ad6..46bd954e3d 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.2_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.2_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.3_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.3_abs_high.inst.cfg index 4fb934ccdf..3c0b3aada6 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.3_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.3_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_high.inst.cfg index 6d884d9960..fb069a886d 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_normal.inst.cfg index 79383becc6..dfd9773025 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.4_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_draft.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_draft.inst.cfg index dff14a16f0..93922867aa 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_draft.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_high.inst.cfg index d6a9efcce7..024eac4066 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_normal.inst.cfg index 19656cfe83..041d983b5d 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.5_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_coarse.inst.cfg index 1cf085f0ca..516280d8e6 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_high.inst.cfg index 3508072cdd..411da9bcc1 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_normal.inst.cfg index 66c7f2d239..536888e5b5 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.6_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_extra_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_extra_coarse.inst.cfg index d06c119ebb..8cb844c2d2 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_extra_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_high.inst.cfg index 8c9778ef46..de13fc3e92 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_normal.inst.cfg index 794f15d48a..acad0a9710 100644 --- a/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/abs/tizyx_evy_0.8_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.2_flex_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.2_flex_high.inst.cfg index 07d079bef4..7ad3828248 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.2_flex_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.2_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.3_flex_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.3_flex_high.inst.cfg index 26094b2bbb..be42556f37 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.3_flex_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.3_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_high.inst.cfg index 08c6f9e8f2..27132493d8 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_normal.inst.cfg index fece40d21e..3e24c2aca2 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.4_flex_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_draft.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_draft.inst.cfg index 597ede0656..52711c5a75 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_draft.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_high.inst.cfg index 235c6456e1..9da6c89ca0 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_normal.inst.cfg index d4637f3ac8..8558ada67d 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.5_flex_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_coarse.inst.cfg index 5ef52e82d6..bd493c7b8c 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_high.inst.cfg index fbb6c0f0a4..4be7ac8754 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_normal.inst.cfg index 7e5003063f..7f632c09e3 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.6_flex_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_extra_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_extra_coarse.inst.cfg index 7a7eea0de0..5995a1a6bd 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_extra_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_high.inst.cfg index 41582fe21f..38cc5d0b79 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_normal.inst.cfg index 3635b26ef0..5c2299e9f4 100644 --- a/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/flex/tizyx_evy_0.8_flex_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.2_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.2_petg_high.inst.cfg index a3a7b0375b..73172d5039 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.2_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.2_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.3_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.3_petg_high.inst.cfg index 2278d1bd6d..ee7c78d5a4 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.3_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.3_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_high.inst.cfg index 2f4f625926..5c0b79221a 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_normal.inst.cfg index abb92dd742..860b429037 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.4_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_draft.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_draft.inst.cfg index 5f1cdb08a3..6530998d52 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_draft.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_high.inst.cfg index 7413059f01..f05c7cf099 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_normal.inst.cfg index 641be1d8f2..3d8ea6ef4f 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.5_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_coarse.inst.cfg index 1b0e43a46d..eee0dfd4c4 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_high.inst.cfg index 6a395ab1c5..386bbcd3cb 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_normal.inst.cfg index fa0b40a8f0..f01871c0d5 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.6_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_extra_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_extra_coarse.inst.cfg index 910aff073c..670ea97458 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_extra_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_high.inst.cfg index 9b6422c372..21c23df99e 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_normal.inst.cfg index 838b9aba41..17bc70ace9 100644 --- a/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/petg/tizyx_evy_0.8_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.2_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.2_pla_high.inst.cfg index a0c139a0d6..d128d80d82 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.2_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.2_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.3_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.3_pla_high.inst.cfg index 3dc317e59c..45615dbe8c 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.3_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.3_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_high.inst.cfg index a3431b90a5..0e53e7ebdf 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_normal.inst.cfg index 681b04dec6..fc94d55863 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.4_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_draft.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_draft.inst.cfg index bead716fd0..e2f0e3f043 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_draft.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_high.inst.cfg index 68ac6440a7..217edc91d8 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_normal.inst.cfg index 50a22b43bd..a5f26cc679 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.5_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_coarse.inst.cfg index 5a6bc41b10..97bedc4f5f 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_high.inst.cfg index efa4a975a9..aa512c282e 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_normal.inst.cfg index 54e3cbc0ab..97abbd8a92 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.6_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_extra_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_extra_coarse.inst.cfg index ebfe70cad2..380b2ad19f 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_extra_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_high.inst.cfg index 1bef665dcb..b83a8a68aa 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_normal.inst.cfg index 8394eba57a..027b553394 100644 --- a/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla/tizyx_evy_0.8_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.2_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.2_pla_bois_high.inst.cfg index 9de809b1ca..2e99bc68d6 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.2_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.2_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.3_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.3_pla_bois_high.inst.cfg index 1758ef1a43..08576cf857 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.3_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.3_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_high.inst.cfg index cd71c271a1..d2f505f24c 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_normal.inst.cfg index 7dc85cf910..d78561fde5 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.4_pla_bois_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_draft.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_draft.inst.cfg index aca04c3992..783e0728a7 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_draft.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_high.inst.cfg index c8ecd490f6..774f308950 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_normal.inst.cfg index 969601114e..343438cdf2 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.5_pla_bois_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_coarse.inst.cfg index 6fc0766268..ab9f3a8bb8 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_high.inst.cfg index 3ab8f22e7e..881b83ff21 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_normal.inst.cfg index 64f7a5a58e..143c77c562 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.6_pla_bois_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_extra_coarse.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_extra_coarse.inst.cfg index 3732bf03cc..2c19b90f92 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_extra_coarse.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_high.inst.cfg index c5dcd93393..a525294509 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_normal.inst.cfg index 0fc472d1c1..dbe9adb4a8 100644 --- a/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/pla_bois/tizyx_evy_0.8_pla_bois_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Coarse_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Coarse_Quality.inst.cfg index 2b56b83b30..8629e14cc3 100644 --- a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Coarse_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Draft_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Draft_Quality.inst.cfg index 16f93bcf7d..8c521c2462 100644 --- a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Draft_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Extra_Coarse_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Extra_Coarse_Quality.inst.cfg index 0c91aac26e..94c6c5bbab 100644 --- a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Extra_Coarse_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Extra_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_High_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_High_Quality.inst.cfg index 642b6c52f0..171fc750f2 100644 --- a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_High_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Normal_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Normal_Quality.inst.cfg index 720d7134c6..2640bef5eb 100644 --- a/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Normal_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy/tizyx_evy_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_high.inst.cfg index 11e15457e2..b1d3aa20be 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_normal.inst.cfg index 116271802f..f47df747c1 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_classic_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_high.inst.cfg index c2630fb4fc..026e697b22 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_normal.inst.cfg index 136252c999..1adcd3c90c 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/abs/tizyx_evy_dual_direct_drive_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex.inst.cfg index ec7abca441..a4e79aae87 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex_only.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex_only.inst.cfg index 0b9ec3bd0f..d897c47761 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex_only.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_classic_flex_flex_only.inst.cfg @@ -4,7 +4,7 @@ name = Flex Only definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex.inst.cfg index 040d6e85b3..88d3824982 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex_only.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex_only.inst.cfg index d64ea705df..83c8604288 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex_only.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/flex/tizyx_evy_dual_direct_drive_flex_flex_only.inst.cfg @@ -4,7 +4,7 @@ name = Flex Only definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_high.inst.cfg index 799305ddd9..238cc84ecf 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_normal.inst.cfg index 6571caf379..4abf7f8d47 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_classic_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_high.inst.cfg index 03e6e4ffcb..fab128c8c3 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_normal.inst.cfg index f445c50b41..95997d7094 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/petg/tizyx_evy_dual_direct_drive_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex.inst.cfg index 48b1dac689..6886fceff8 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex_only.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex_only.inst.cfg index 429485b498..ca303313f3 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex_only.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_flex_only.inst.cfg @@ -4,7 +4,7 @@ name = Flex Only definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_high.inst.cfg index 1f5cdd2c53..3da1b2cfe3 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_normal.inst.cfg index b5de6785f4..d3ad678b94 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_pva.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_pva.inst.cfg index 4d36b4efc9..9ef8a8cdb0 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_pva.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_classic_pla_pva.inst.cfg @@ -4,7 +4,7 @@ name = PVA and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex.inst.cfg index 502b9a2272..2ba63006c8 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex_only.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex_only.inst.cfg index 1aba96ad32..8d5bfc7de7 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex_only.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_flex_only.inst.cfg @@ -4,7 +4,7 @@ name = Flex Only definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_high.inst.cfg index c0cb41f552..b730b91882 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_normal.inst.cfg index 3e302056ba..02ceb3f140 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_pva.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_pva.inst.cfg index efbde1806d..c77970c226 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_pva.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla/tizyx_evy_dual_direct_drive_pla_pva.inst.cfg @@ -4,7 +4,7 @@ name = PVA and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_flex.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_flex.inst.cfg index 90d99dfe5b..993f25d840 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_flex.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_flex.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_high.inst.cfg index f35b05ed3e..cd99022e99 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_normal.inst.cfg index 090b5a4c25..fd58198a81 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_classic_pla_bois_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_flex.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_flex.inst.cfg index a7f1bce465..aa97c8730b 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_flex.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_flex.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_high.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_high.inst.cfg index 96a18a5e5c..79e40652a3 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_high.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_normal.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_normal.inst.cfg index 42fe720917..ea73771dce 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pla_bois/tizyx_evy_dual_direct_drive_pla_bois_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_classic_pva_pva.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_classic_pva_pva.inst.cfg index 260d40a27f..17ce1b13ae 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_classic_pva_pva.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_classic_pva_pva.inst.cfg @@ -4,7 +4,7 @@ name = PVA and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_direct_drive_pva_pva.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_direct_drive_pva_pva.inst.cfg index 984e81d2b1..dcf618984e 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_direct_drive_pva_pva.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/pva/tizyx_evy_dual_direct_drive_pva_pva.inst.cfg @@ -4,7 +4,7 @@ name = PVA and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Only_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Only_Quality.inst.cfg index c898126040..7a49028245 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Only_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Only_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Flex Only definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Quality.inst.cfg index 0cd06fc02c..d46900bf66 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Flex_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Flex and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_High_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_High_Quality.inst.cfg index 49993b40e7..7c636ff083 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_High_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Normal_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Normal_Quality.inst.cfg index 6a4d2a7b90..4cafa8a4bb 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Normal_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_PVA_Quality.inst.cfg b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_PVA_Quality.inst.cfg index 0abdc2e8f7..7bc14213cd 100644 --- a/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_PVA_Quality.inst.cfg +++ b/resources/quality/tizyx/tizyx_evy_dual/tizyx_evy_dual_global_PVA_Quality.inst.cfg @@ -4,7 +4,7 @@ name = PVA and PLA definition = tizyx_evy_dual [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/tizyx/tizyx_k25/tizyx_k25_high.inst.cfg b/resources/quality/tizyx/tizyx_k25/tizyx_k25_high.inst.cfg index 5c957d0d82..fb5a0026e1 100644 --- a/resources/quality/tizyx/tizyx_k25/tizyx_k25_high.inst.cfg +++ b/resources/quality/tizyx/tizyx_k25/tizyx_k25_high.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_k25 [metadata] quality_type = draft -setting_version = 18 +setting_version = 19 type = quality global_quality = True diff --git a/resources/quality/tizyx/tizyx_k25/tizyx_k25_normal.inst.cfg b/resources/quality/tizyx/tizyx_k25/tizyx_k25_normal.inst.cfg index 8b685490c3..772cd1fe12 100644 --- a/resources/quality/tizyx/tizyx_k25/tizyx_k25_normal.inst.cfg +++ b/resources/quality/tizyx/tizyx_k25/tizyx_k25_normal.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_k25 [metadata] quality_type = normal -setting_version = 18 +setting_version = 19 type = quality global_quality = True diff --git a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_fast.inst.cfg b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_fast.inst.cfg index 2764f57589..a9f185c8d9 100644 --- a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_fast.inst.cfg +++ b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = trimaker_cosmosII [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 1 diff --git a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_normal.inst.cfg b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_normal.inst.cfg index 85b7222199..2e457ce5cb 100644 --- a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_normal.inst.cfg +++ b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = trimaker_cosmosII [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_slow.inst.cfg b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_slow.inst.cfg index 703eaf967b..7ed7e0a6fc 100644 --- a/resources/quality/trimaker_cosmosII/trimaker_cosmosII_slow.inst.cfg +++ b/resources/quality/trimaker_cosmosII/trimaker_cosmosII_slow.inst.cfg @@ -4,7 +4,7 @@ name = Slow definition = trimaker_cosmosII [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slow weight = -1 diff --git a/resources/quality/trimaker_nebula/trimaker_nebula_fast.inst.cfg b/resources/quality/trimaker_nebula/trimaker_nebula_fast.inst.cfg index 8d62f9346b..f82e0e4706 100644 --- a/resources/quality/trimaker_nebula/trimaker_nebula_fast.inst.cfg +++ b/resources/quality/trimaker_nebula/trimaker_nebula_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = trimaker_nebula [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 1 diff --git a/resources/quality/trimaker_nebula/trimaker_nebula_normal.inst.cfg b/resources/quality/trimaker_nebula/trimaker_nebula_normal.inst.cfg index 76bea0cacf..bece7a2e53 100644 --- a/resources/quality/trimaker_nebula/trimaker_nebula_normal.inst.cfg +++ b/resources/quality/trimaker_nebula/trimaker_nebula_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = trimaker_nebula [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/trimaker_nebula/trimaker_nebula_slow.inst.cfg b/resources/quality/trimaker_nebula/trimaker_nebula_slow.inst.cfg index 2ac64fa4a2..3bd2698d03 100644 --- a/resources/quality/trimaker_nebula/trimaker_nebula_slow.inst.cfg +++ b/resources/quality/trimaker_nebula/trimaker_nebula_slow.inst.cfg @@ -4,7 +4,7 @@ name = Slow definition = trimaker_nebula [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slow weight = -1 diff --git a/resources/quality/tronxy/tronxy_0.2_ABS_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.2_ABS_extra.inst.cfg index e48ca9bd4d..82ee263ca7 100644 --- a/resources/quality/tronxy/tronxy_0.2_ABS_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_ABS_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.2_ABS_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.2_ABS_fine.inst.cfg index f8409b0966..2002bc05aa 100644 --- a/resources/quality/tronxy/tronxy_0.2_ABS_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.2_ABS_super.inst.cfg b/resources/quality/tronxy/tronxy_0.2_ABS_super.inst.cfg index b7c8a3ebd8..e1bac970f2 100644 --- a/resources/quality/tronxy/tronxy_0.2_ABS_super.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.2_PETG_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.2_PETG_extra.inst.cfg index 05b53f1fdb..af458c17ad 100644 --- a/resources/quality/tronxy/tronxy_0.2_PETG_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_PETG_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.2_PETG_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.2_PETG_fine.inst.cfg index 3378a5d220..3b593c002c 100644 --- a/resources/quality/tronxy/tronxy_0.2_PETG_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.2_PETG_super.inst.cfg b/resources/quality/tronxy/tronxy_0.2_PETG_super.inst.cfg index a80117f764..6bdc69cc80 100644 --- a/resources/quality/tronxy/tronxy_0.2_PETG_super.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.2_PLA_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.2_PLA_extra.inst.cfg index ca2032a14c..51f058f46c 100644 --- a/resources/quality/tronxy/tronxy_0.2_PLA_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_PLA_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.2_PLA_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.2_PLA_fine.inst.cfg index 66d2d10349..a728a72540 100644 --- a/resources/quality/tronxy/tronxy_0.2_PLA_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.2_PLA_super.inst.cfg b/resources/quality/tronxy/tronxy_0.2_PLA_super.inst.cfg index 9edaf52a2f..4f73c640ab 100644 --- a/resources/quality/tronxy/tronxy_0.2_PLA_super.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.3_ABS_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.3_ABS_extra.inst.cfg index 1883705254..226f4bd11e 100644 --- a/resources/quality/tronxy/tronxy_0.3_ABS_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_ABS_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.3_ABS_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.3_ABS_fine.inst.cfg index 90287d249e..08ead34fa4 100644 --- a/resources/quality/tronxy/tronxy_0.3_ABS_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.3_ABS_low.inst.cfg b/resources/quality/tronxy/tronxy_0.3_ABS_low.inst.cfg index aeb528a86b..80579c073f 100644 --- a/resources/quality/tronxy/tronxy_0.3_ABS_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.3_ABS_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.3_ABS_normal.inst.cfg index dc966abd28..e3b44a0201 100644 --- a/resources/quality/tronxy/tronxy_0.3_ABS_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.3_PETG_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PETG_extra.inst.cfg index a8f9031a47..60c4a354cd 100644 --- a/resources/quality/tronxy/tronxy_0.3_PETG_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PETG_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.3_PETG_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PETG_fine.inst.cfg index b611e76aea..9c9e2d25e7 100644 --- a/resources/quality/tronxy/tronxy_0.3_PETG_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.3_PETG_low.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PETG_low.inst.cfg index 043a13f174..c17da775c0 100644 --- a/resources/quality/tronxy/tronxy_0.3_PETG_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.3_PETG_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PETG_normal.inst.cfg index fd68718a3b..d17166fc0d 100644 --- a/resources/quality/tronxy/tronxy_0.3_PETG_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.3_PLA_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PLA_extra.inst.cfg index 13b97c3367..5616f4ff9a 100644 --- a/resources/quality/tronxy/tronxy_0.3_PLA_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PLA_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.3_PLA_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PLA_fine.inst.cfg index 42a1d0bd0d..d16f5e2bc9 100644 --- a/resources/quality/tronxy/tronxy_0.3_PLA_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.3_PLA_low.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PLA_low.inst.cfg index 3535928b43..ec234a373b 100644 --- a/resources/quality/tronxy/tronxy_0.3_PLA_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.3_PLA_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.3_PLA_normal.inst.cfg index d1f322e720..b06e92d275 100644 --- a/resources/quality/tronxy/tronxy_0.3_PLA_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.3_TPU_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.3_TPU_extra.inst.cfg index 2ccdf14588..327490f2c5 100644 --- a/resources/quality/tronxy/tronxy_0.3_TPU_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_TPU_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.3_TPU_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.3_TPU_fine.inst.cfg index 9b5a1affa8..9493678d8e 100644 --- a/resources/quality/tronxy/tronxy_0.3_TPU_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_TPU_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.3_TPU_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.3_TPU_normal.inst.cfg index e15952ae39..04e13373ab 100644 --- a/resources/quality/tronxy/tronxy_0.3_TPU_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.3_TPU_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.4_ABS_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.4_ABS_extra.inst.cfg index d070a1cca0..215db01ef7 100644 --- a/resources/quality/tronxy/tronxy_0.4_ABS_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_ABS_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.4_ABS_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.4_ABS_fine.inst.cfg index b73babf4fa..c8475bdcf0 100644 --- a/resources/quality/tronxy/tronxy_0.4_ABS_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.4_ABS_low.inst.cfg b/resources/quality/tronxy/tronxy_0.4_ABS_low.inst.cfg index 3fdbd0ed64..e5dd916fe3 100644 --- a/resources/quality/tronxy/tronxy_0.4_ABS_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.4_ABS_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.4_ABS_normal.inst.cfg index 7a2139c1d9..bd6daa17d8 100644 --- a/resources/quality/tronxy/tronxy_0.4_ABS_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.4_ABS_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.4_ABS_rough.inst.cfg index 7e3846a66f..0276215210 100644 --- a/resources/quality/tronxy/tronxy_0.4_ABS_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_ABS_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.4_PETG_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PETG_extra.inst.cfg index bb632c7d80..1d972de5f3 100644 --- a/resources/quality/tronxy/tronxy_0.4_PETG_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PETG_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.4_PETG_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PETG_fine.inst.cfg index 785c422644..c121e199ad 100644 --- a/resources/quality/tronxy/tronxy_0.4_PETG_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.4_PETG_low.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PETG_low.inst.cfg index 1d34a83cef..14834569e7 100644 --- a/resources/quality/tronxy/tronxy_0.4_PETG_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.4_PETG_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PETG_normal.inst.cfg index 114babf0fc..39e6857093 100644 --- a/resources/quality/tronxy/tronxy_0.4_PETG_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.4_PETG_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PETG_rough.inst.cfg index 2d28189f12..01a9f76a66 100644 --- a/resources/quality/tronxy/tronxy_0.4_PETG_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PETG_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.4_PLA_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PLA_extra.inst.cfg index c7d6aea297..98b2204352 100644 --- a/resources/quality/tronxy/tronxy_0.4_PLA_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PLA_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.4_PLA_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PLA_fine.inst.cfg index 7b1f3bb70e..37a162d73f 100644 --- a/resources/quality/tronxy/tronxy_0.4_PLA_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.4_PLA_low.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PLA_low.inst.cfg index 6769f0a4d1..4893eba23d 100644 --- a/resources/quality/tronxy/tronxy_0.4_PLA_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.4_PLA_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PLA_normal.inst.cfg index 8207f520fa..d5d17a607b 100644 --- a/resources/quality/tronxy/tronxy_0.4_PLA_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.4_PLA_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.4_PLA_rough.inst.cfg index ec4ef7d5aa..290c3fcc09 100644 --- a/resources/quality/tronxy/tronxy_0.4_PLA_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_PLA_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.4_TPU_extra.inst.cfg b/resources/quality/tronxy/tronxy_0.4_TPU_extra.inst.cfg index 7437e41dfe..bc66b5da83 100644 --- a/resources/quality/tronxy/tronxy_0.4_TPU_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_TPU_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.4_TPU_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.4_TPU_fine.inst.cfg index 5813c08cf6..5f17afd70d 100644 --- a/resources/quality/tronxy/tronxy_0.4_TPU_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_TPU_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.4_TPU_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.4_TPU_normal.inst.cfg index 854f282364..0aabff4602 100644 --- a/resources/quality/tronxy/tronxy_0.4_TPU_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.4_TPU_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.5_ABS_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.5_ABS_fine.inst.cfg index 5761d17741..2d54d0a536 100644 --- a/resources/quality/tronxy/tronxy_0.5_ABS_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.5_ABS_low.inst.cfg b/resources/quality/tronxy/tronxy_0.5_ABS_low.inst.cfg index 7498e9763d..071c89688d 100644 --- a/resources/quality/tronxy/tronxy_0.5_ABS_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.5_ABS_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.5_ABS_normal.inst.cfg index 8f230ec254..de7accefb3 100644 --- a/resources/quality/tronxy/tronxy_0.5_ABS_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.5_ABS_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.5_ABS_rapid.inst.cfg index 3c2bc580c9..25bed29391 100644 --- a/resources/quality/tronxy/tronxy_0.5_ABS_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_ABS_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.5_ABS_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.5_ABS_rough.inst.cfg index 5670f03bca..e8dc2748cd 100644 --- a/resources/quality/tronxy/tronxy_0.5_ABS_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_ABS_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.5_PETG_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PETG_fine.inst.cfg index 51c61dd992..841862d589 100644 --- a/resources/quality/tronxy/tronxy_0.5_PETG_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.5_PETG_low.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PETG_low.inst.cfg index 54d3f935e8..4f1db7e7b8 100644 --- a/resources/quality/tronxy/tronxy_0.5_PETG_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.5_PETG_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PETG_normal.inst.cfg index b662b844f7..9a2e13f20d 100644 --- a/resources/quality/tronxy/tronxy_0.5_PETG_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.5_PETG_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PETG_rapid.inst.cfg index b062b7b32f..f686a35dea 100644 --- a/resources/quality/tronxy/tronxy_0.5_PETG_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PETG_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.5_PETG_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PETG_rough.inst.cfg index 0572071cc1..91b30cca7a 100644 --- a/resources/quality/tronxy/tronxy_0.5_PETG_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PETG_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.5_PLA_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PLA_fine.inst.cfg index d21f67cdf2..3743e44522 100644 --- a/resources/quality/tronxy/tronxy_0.5_PLA_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.5_PLA_low.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PLA_low.inst.cfg index d4152f1030..c2d51ebf0f 100644 --- a/resources/quality/tronxy/tronxy_0.5_PLA_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.5_PLA_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PLA_normal.inst.cfg index 71184c200b..846b79f20e 100644 --- a/resources/quality/tronxy/tronxy_0.5_PLA_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.5_PLA_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PLA_rapid.inst.cfg index 84a9523204..e19b3c8ee4 100644 --- a/resources/quality/tronxy/tronxy_0.5_PLA_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PLA_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.5_PLA_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.5_PLA_rough.inst.cfg index 145d232f73..6ce6e30fda 100644 --- a/resources/quality/tronxy/tronxy_0.5_PLA_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_PLA_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.5_TPU_fine.inst.cfg b/resources/quality/tronxy/tronxy_0.5_TPU_fine.inst.cfg index a935a7d059..64e8ec652d 100644 --- a/resources/quality/tronxy/tronxy_0.5_TPU_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_TPU_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.5_TPU_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.5_TPU_normal.inst.cfg index c674cce970..9ef0be3414 100644 --- a/resources/quality/tronxy/tronxy_0.5_TPU_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_TPU_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.5_TPU_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.5_TPU_rapid.inst.cfg index b02e1fc2c4..4333dc55fb 100644 --- a/resources/quality/tronxy/tronxy_0.5_TPU_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.5_TPU_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.6_ABS_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.6_ABS_normal.inst.cfg index 705995c9f5..e86a3de3fb 100644 --- a/resources/quality/tronxy/tronxy_0.6_ABS_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.6_ABS_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.6_ABS_rapid.inst.cfg index 51d0f6f5fe..c19425ec1a 100644 --- a/resources/quality/tronxy/tronxy_0.6_ABS_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_ABS_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.6_ABS_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.6_ABS_rough.inst.cfg index 093da5c60a..30ae713091 100644 --- a/resources/quality/tronxy/tronxy_0.6_ABS_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_ABS_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.6_PETG_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PETG_normal.inst.cfg index b208e5cb99..3154a87042 100644 --- a/resources/quality/tronxy/tronxy_0.6_PETG_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.6_PETG_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PETG_rapid.inst.cfg index c46aa47867..ba821ede1f 100644 --- a/resources/quality/tronxy/tronxy_0.6_PETG_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PETG_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.6_PETG_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PETG_rough.inst.cfg index 1dfc09b30f..fec73622f8 100644 --- a/resources/quality/tronxy/tronxy_0.6_PETG_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PETG_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.6_PLA_low.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PLA_low.inst.cfg index 7e100755d9..2dccda88d2 100644 --- a/resources/quality/tronxy/tronxy_0.6_PLA_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.6_PLA_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PLA_normal.inst.cfg index 0cb76577ce..31de7ef4d0 100644 --- a/resources/quality/tronxy/tronxy_0.6_PLA_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.6_PLA_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PLA_rapid.inst.cfg index 801e56328b..1e086a2218 100644 --- a/resources/quality/tronxy/tronxy_0.6_PLA_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PLA_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.6_PLA_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.6_PLA_rough.inst.cfg index 37ffc466c1..a5b45f7713 100644 --- a/resources/quality/tronxy/tronxy_0.6_PLA_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_PLA_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.6_TPU_normal.inst.cfg b/resources/quality/tronxy/tronxy_0.6_TPU_normal.inst.cfg index 941672f951..188e58dbbf 100644 --- a/resources/quality/tronxy/tronxy_0.6_TPU_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_TPU_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.6_TPU_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.6_TPU_rapid.inst.cfg index 4fab032f82..cb51264b5f 100644 --- a/resources/quality/tronxy/tronxy_0.6_TPU_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.6_TPU_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.8_ABS_low.inst.cfg b/resources/quality/tronxy/tronxy_0.8_ABS_low.inst.cfg index 4490965ea3..e7d5bf1cb5 100644 --- a/resources/quality/tronxy/tronxy_0.8_ABS_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.8_ABS_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.8_ABS_rapid.inst.cfg index 82866b901c..6d1e5804ff 100644 --- a/resources/quality/tronxy/tronxy_0.8_ABS_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_ABS_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.8_ABS_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.8_ABS_rough.inst.cfg index 129bf284c2..7958d74df3 100644 --- a/resources/quality/tronxy/tronxy_0.8_ABS_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_ABS_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_abs diff --git a/resources/quality/tronxy/tronxy_0.8_PETG_low.inst.cfg b/resources/quality/tronxy/tronxy_0.8_PETG_low.inst.cfg index 8f4f10dbb4..d914733637 100644 --- a/resources/quality/tronxy/tronxy_0.8_PETG_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.8_PETG_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.8_PETG_rapid.inst.cfg index a2e285b38e..f25dbe782d 100644 --- a/resources/quality/tronxy/tronxy_0.8_PETG_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_PETG_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.8_PETG_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.8_PETG_rough.inst.cfg index c311f6d8ab..720d9e36fd 100644 --- a/resources/quality/tronxy/tronxy_0.8_PETG_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_PETG_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_petg diff --git a/resources/quality/tronxy/tronxy_0.8_PLA_low.inst.cfg b/resources/quality/tronxy/tronxy_0.8_PLA_low.inst.cfg index 66527b8520..3b51a1f322 100644 --- a/resources/quality/tronxy/tronxy_0.8_PLA_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.8_PLA_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.8_PLA_rapid.inst.cfg index adb9deb4fe..76d0cb3dae 100644 --- a/resources/quality/tronxy/tronxy_0.8_PLA_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_PLA_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.8_PLA_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.8_PLA_rough.inst.cfg index 395999ac93..f7d5345246 100644 --- a/resources/quality/tronxy/tronxy_0.8_PLA_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_PLA_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_pla diff --git a/resources/quality/tronxy/tronxy_0.8_TPU_low.inst.cfg b/resources/quality/tronxy/tronxy_0.8_TPU_low.inst.cfg index b81621de1c..7dea781929 100644 --- a/resources/quality/tronxy/tronxy_0.8_TPU_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_TPU_low.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.8_TPU_rapid.inst.cfg b/resources/quality/tronxy/tronxy_0.8_TPU_rapid.inst.cfg index 6109dd4879..3c28678efe 100644 --- a/resources/quality/tronxy/tronxy_0.8_TPU_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_TPU_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_0.8_TPU_rough.inst.cfg b/resources/quality/tronxy/tronxy_0.8_TPU_rough.inst.cfg index 8a2c053a3c..ac4ba6c37c 100644 --- a/resources/quality/tronxy/tronxy_0.8_TPU_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_0.8_TPU_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough material = generic_tpu diff --git a/resources/quality/tronxy/tronxy_global_extra.inst.cfg b/resources/quality/tronxy/tronxy_global_extra.inst.cfg index c62ca927c5..7cf5357610 100644 --- a/resources/quality/tronxy/tronxy_global_extra.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_extra.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra weight = -1 diff --git a/resources/quality/tronxy/tronxy_global_fine.inst.cfg b/resources/quality/tronxy/tronxy_global_fine.inst.cfg index 431c989867..7a2d2be591 100644 --- a/resources/quality/tronxy/tronxy_global_fine.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = -2 diff --git a/resources/quality/tronxy/tronxy_global_low.inst.cfg b/resources/quality/tronxy/tronxy_global_low.inst.cfg index 1f30b076ce..7501d2b685 100644 --- a/resources/quality/tronxy/tronxy_global_low.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/tronxy/tronxy_global_normal.inst.cfg b/resources/quality/tronxy/tronxy_global_normal.inst.cfg index 1e8c9485ba..e368fc4f18 100644 --- a/resources/quality/tronxy/tronxy_global_normal.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/tronxy/tronxy_global_rapid.inst.cfg b/resources/quality/tronxy/tronxy_global_rapid.inst.cfg index b7db6991cb..1f264c86f5 100644 --- a/resources/quality/tronxy/tronxy_global_rapid.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_rapid.inst.cfg @@ -4,7 +4,7 @@ name = Rough/Fast Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rapid weight = -5 diff --git a/resources/quality/tronxy/tronxy_global_rough.inst.cfg b/resources/quality/tronxy/tronxy_global_rough.inst.cfg index b9da18cb3f..d7a07446cb 100644 --- a/resources/quality/tronxy/tronxy_global_rough.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_rough.inst.cfg @@ -4,7 +4,7 @@ name = Rough Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = rough weight = -5 diff --git a/resources/quality/tronxy/tronxy_global_super.inst.cfg b/resources/quality/tronxy/tronxy_global_super.inst.cfg index 4c3dcdfdab..b2f459f021 100644 --- a/resources/quality/tronxy/tronxy_global_super.inst.cfg +++ b/resources/quality/tronxy/tronxy_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Fine Quality definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = 0 diff --git a/resources/quality/twotrees/abs/two_trees_0.2_ABS_super.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.2_ABS_super.inst.cfg index 42e9764e5e..6dbf61eab0 100644 --- a/resources/quality/twotrees/abs/two_trees_0.2_ABS_super.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.2_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.2_ABS_ultra.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.2_ABS_ultra.inst.cfg index bacb107fa7..316e727b87 100644 --- a/resources/quality/twotrees/abs/two_trees_0.2_ABS_ultra.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.2_ABS_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.3_ABS_adaptive.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.3_ABS_adaptive.inst.cfg index 844054a145..9d9ee5eca7 100644 --- a/resources/quality/twotrees/abs/two_trees_0.3_ABS_adaptive.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.3_ABS_low.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.3_ABS_low.inst.cfg index 07b642df16..95f9e1a3c0 100644 --- a/resources/quality/twotrees/abs/two_trees_0.3_ABS_low.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.3_ABS_standard.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.3_ABS_standard.inst.cfg index 06c904b19a..65b0986988 100644 --- a/resources/quality/twotrees/abs/two_trees_0.3_ABS_standard.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.3_ABS_super.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.3_ABS_super.inst.cfg index 7005759366..cc0b8c3d03 100644 --- a/resources/quality/twotrees/abs/two_trees_0.3_ABS_super.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.3_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.4_ABS_adaptive.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.4_ABS_adaptive.inst.cfg index 887e94cc24..69f65c9f35 100644 --- a/resources/quality/twotrees/abs/two_trees_0.4_ABS_adaptive.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.4_ABS_low.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.4_ABS_low.inst.cfg index f9baa70fb1..08e9f0985f 100644 --- a/resources/quality/twotrees/abs/two_trees_0.4_ABS_low.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.4_ABS_standard.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.4_ABS_standard.inst.cfg index 5fbb97005d..362ce85b90 100644 --- a/resources/quality/twotrees/abs/two_trees_0.4_ABS_standard.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.4_ABS_super.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.4_ABS_super.inst.cfg index a22334f605..bf63cc821d 100644 --- a/resources/quality/twotrees/abs/two_trees_0.4_ABS_super.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.4_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.5_ABS_adaptive.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.5_ABS_adaptive.inst.cfg index 49635a548e..f626eac3f7 100644 --- a/resources/quality/twotrees/abs/two_trees_0.5_ABS_adaptive.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.5_ABS_low.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.5_ABS_low.inst.cfg index 16248d67c0..431fd81ae3 100644 --- a/resources/quality/twotrees/abs/two_trees_0.5_ABS_low.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.5_ABS_standard.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.5_ABS_standard.inst.cfg index e7a61c638c..fb5ba1e064 100644 --- a/resources/quality/twotrees/abs/two_trees_0.5_ABS_standard.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.5_ABS_super.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.5_ABS_super.inst.cfg index 16aecfa354..0bda296952 100644 --- a/resources/quality/twotrees/abs/two_trees_0.5_ABS_super.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.5_ABS_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.6_ABS_standard.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.6_ABS_standard.inst.cfg index cec0042c7e..fd07834b05 100644 --- a/resources/quality/twotrees/abs/two_trees_0.6_ABS_standard.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.6_ABS_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_0.8_ABS_draft.inst.cfg b/resources/quality/twotrees/abs/two_trees_0.8_ABS_draft.inst.cfg index f201f2014f..2e18aa609f 100644 --- a/resources/quality/twotrees/abs/two_trees_0.8_ABS_draft.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_0.8_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/twotrees/abs/two_trees_1.0_ABS_draft.inst.cfg b/resources/quality/twotrees/abs/two_trees_1.0_ABS_draft.inst.cfg index 4a1c8ac747..79904a06f6 100644 --- a/resources/quality/twotrees/abs/two_trees_1.0_ABS_draft.inst.cfg +++ b/resources/quality/twotrees/abs/two_trees_1.0_ABS_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_abs diff --git a/resources/quality/twotrees/petg/two_trees_0.2_PETG_super.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.2_PETG_super.inst.cfg index 79496178b2..3051546962 100644 --- a/resources/quality/twotrees/petg/two_trees_0.2_PETG_super.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.2_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.2_PETG_ultra.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.2_PETG_ultra.inst.cfg index 434e0979b0..c4bfd77666 100644 --- a/resources/quality/twotrees/petg/two_trees_0.2_PETG_ultra.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.2_PETG_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.3_PETG_adaptive.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.3_PETG_adaptive.inst.cfg index 6512d2802e..cad01e4dae 100644 --- a/resources/quality/twotrees/petg/two_trees_0.3_PETG_adaptive.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.3_PETG_low.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.3_PETG_low.inst.cfg index 015ebc7d74..3fba9555db 100644 --- a/resources/quality/twotrees/petg/two_trees_0.3_PETG_low.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.3_PETG_standard.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.3_PETG_standard.inst.cfg index 4111ffa552..04b6e41e55 100644 --- a/resources/quality/twotrees/petg/two_trees_0.3_PETG_standard.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.3_PETG_super.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.3_PETG_super.inst.cfg index bf043dc26e..276f94db94 100644 --- a/resources/quality/twotrees/petg/two_trees_0.3_PETG_super.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.3_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.4_PETG_adaptive.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.4_PETG_adaptive.inst.cfg index 42a4f71815..413e2ba788 100644 --- a/resources/quality/twotrees/petg/two_trees_0.4_PETG_adaptive.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.4_PETG_low.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.4_PETG_low.inst.cfg index 1e88fd5f81..b12fc48908 100644 --- a/resources/quality/twotrees/petg/two_trees_0.4_PETG_low.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.4_PETG_standard.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.4_PETG_standard.inst.cfg index 6da25cec70..9db0f1294d 100644 --- a/resources/quality/twotrees/petg/two_trees_0.4_PETG_standard.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.4_PETG_super.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.4_PETG_super.inst.cfg index 21e7094141..308ea29f13 100644 --- a/resources/quality/twotrees/petg/two_trees_0.4_PETG_super.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.4_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.5_PETG_adaptive.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.5_PETG_adaptive.inst.cfg index e6bb00b724..4d801bd998 100644 --- a/resources/quality/twotrees/petg/two_trees_0.5_PETG_adaptive.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.5_PETG_low.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.5_PETG_low.inst.cfg index ffffc21cfe..d9062b3a3e 100644 --- a/resources/quality/twotrees/petg/two_trees_0.5_PETG_low.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.5_PETG_standard.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.5_PETG_standard.inst.cfg index b4a2e62c37..62ac2fe02d 100644 --- a/resources/quality/twotrees/petg/two_trees_0.5_PETG_standard.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.5_PETG_super.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.5_PETG_super.inst.cfg index 1b21ea2b41..924bf70fc2 100644 --- a/resources/quality/twotrees/petg/two_trees_0.5_PETG_super.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.5_PETG_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.6_PETG_standard.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.6_PETG_standard.inst.cfg index 9dee1a8da5..9c3c5a8f10 100644 --- a/resources/quality/twotrees/petg/two_trees_0.6_PETG_standard.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.6_PETG_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_0.8_PETG_draft.inst.cfg b/resources/quality/twotrees/petg/two_trees_0.8_PETG_draft.inst.cfg index b0a7955232..d5e1612b47 100644 --- a/resources/quality/twotrees/petg/two_trees_0.8_PETG_draft.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_0.8_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/twotrees/petg/two_trees_1.0_PETG_draft.inst.cfg b/resources/quality/twotrees/petg/two_trees_1.0_PETG_draft.inst.cfg index 275457e8c4..dcc3039183 100644 --- a/resources/quality/twotrees/petg/two_trees_1.0_PETG_draft.inst.cfg +++ b/resources/quality/twotrees/petg/two_trees_1.0_PETG_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_petg diff --git a/resources/quality/twotrees/pla/two_trees_0.2_PLA_super.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.2_PLA_super.inst.cfg index 3c8250829d..0efebd66e2 100644 --- a/resources/quality/twotrees/pla/two_trees_0.2_PLA_super.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.2_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.2_PLA_ultra.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.2_PLA_ultra.inst.cfg index 661b7fa964..0057f34ba3 100644 --- a/resources/quality/twotrees/pla/two_trees_0.2_PLA_ultra.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.2_PLA_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.3_PLA_adaptive.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.3_PLA_adaptive.inst.cfg index 8d4961e08b..3217d213d4 100644 --- a/resources/quality/twotrees/pla/two_trees_0.3_PLA_adaptive.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.3_PLA_low.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.3_PLA_low.inst.cfg index 9b07bcf5f2..44fe725d4a 100644 --- a/resources/quality/twotrees/pla/two_trees_0.3_PLA_low.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.3_PLA_standard.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.3_PLA_standard.inst.cfg index fa341375fb..4d1c640a79 100644 --- a/resources/quality/twotrees/pla/two_trees_0.3_PLA_standard.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.3_PLA_super.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.3_PLA_super.inst.cfg index 01f0717a57..439618e3f1 100644 --- a/resources/quality/twotrees/pla/two_trees_0.3_PLA_super.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.3_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.4_PLA_adaptive.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.4_PLA_adaptive.inst.cfg index 3655c1bd97..14eda0da9f 100644 --- a/resources/quality/twotrees/pla/two_trees_0.4_PLA_adaptive.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.4_PLA_low.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.4_PLA_low.inst.cfg index 10ea1f2aa9..5b6db450e1 100644 --- a/resources/quality/twotrees/pla/two_trees_0.4_PLA_low.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.4_PLA_standard.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.4_PLA_standard.inst.cfg index 28f9fd76a0..8544bd7d61 100644 --- a/resources/quality/twotrees/pla/two_trees_0.4_PLA_standard.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.4_PLA_super.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.4_PLA_super.inst.cfg index 7fadc2e2cb..097c146e51 100644 --- a/resources/quality/twotrees/pla/two_trees_0.4_PLA_super.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.4_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.5_PLA_adaptive.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.5_PLA_adaptive.inst.cfg index 672c5b29cb..9e1aba823c 100644 --- a/resources/quality/twotrees/pla/two_trees_0.5_PLA_adaptive.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.5_PLA_low.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.5_PLA_low.inst.cfg index 27d536e55d..b27e0f4a5a 100644 --- a/resources/quality/twotrees/pla/two_trees_0.5_PLA_low.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.5_PLA_standard.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.5_PLA_standard.inst.cfg index bfbbf8a64a..c4693f1ffd 100644 --- a/resources/quality/twotrees/pla/two_trees_0.5_PLA_standard.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.5_PLA_super.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.5_PLA_super.inst.cfg index 19761a87bc..fb09d19e4c 100644 --- a/resources/quality/twotrees/pla/two_trees_0.5_PLA_super.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.5_PLA_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.6_PLA_draft.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.6_PLA_draft.inst.cfg index 271048f38f..1f00e74942 100644 --- a/resources/quality/twotrees/pla/two_trees_0.6_PLA_draft.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.6_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.6_PLA_low.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.6_PLA_low.inst.cfg index f8400e014b..5616618709 100644 --- a/resources/quality/twotrees/pla/two_trees_0.6_PLA_low.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.6_PLA_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.6_PLA_standard.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.6_PLA_standard.inst.cfg index 3eebd74948..1837fde570 100644 --- a/resources/quality/twotrees/pla/two_trees_0.6_PLA_standard.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.6_PLA_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_0.8_PLA_draft.inst.cfg b/resources/quality/twotrees/pla/two_trees_0.8_PLA_draft.inst.cfg index 889f61e135..727b8254ac 100644 --- a/resources/quality/twotrees/pla/two_trees_0.8_PLA_draft.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_0.8_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/twotrees/pla/two_trees_1.0_PLA_draft.inst.cfg b/resources/quality/twotrees/pla/two_trees_1.0_PLA_draft.inst.cfg index b36963f39e..2bb43b7179 100644 --- a/resources/quality/twotrees/pla/two_trees_1.0_PLA_draft.inst.cfg +++ b/resources/quality/twotrees/pla/two_trees_1.0_PLA_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_pla diff --git a/resources/quality/twotrees/tpu/two_trees_0.3_TPU_adaptive.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_adaptive.inst.cfg index 979af1d817..ff98c402ce 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.3_TPU_adaptive.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.3_TPU_standard.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_standard.inst.cfg index 43c35c0a4b..29b44be150 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.3_TPU_standard.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.3_TPU_super.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_super.inst.cfg index 5061af5397..522652edf7 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.3_TPU_super.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.3_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.4_TPU_adaptive.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_adaptive.inst.cfg index 50c9635b1e..1ddc7029e0 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.4_TPU_adaptive.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.4_TPU_standard.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_standard.inst.cfg index 9036edeacd..537aa8cb7b 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.4_TPU_standard.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.4_TPU_super.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_super.inst.cfg index d0bc6da6cf..889db57943 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.4_TPU_super.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.4_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.5_TPU_adaptive.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_adaptive.inst.cfg index bda73b39a0..b9f2c98c6e 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.5_TPU_adaptive.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.5_TPU_standard.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_standard.inst.cfg index df7e69f049..37d902ed54 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.5_TPU_standard.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.5_TPU_super.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_super.inst.cfg index f4eb653600..fa55fd0495 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.5_TPU_super.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.5_TPU_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.6_TPU_standard.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.6_TPU_standard.inst.cfg index 5382068b01..b042efc868 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.6_TPU_standard.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.6_TPU_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_0.8_TPU_draft.inst.cfg b/resources/quality/twotrees/tpu/two_trees_0.8_TPU_draft.inst.cfg index 7f8e2683f9..b6077045c0 100644 --- a/resources/quality/twotrees/tpu/two_trees_0.8_TPU_draft.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_0.8_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/twotrees/tpu/two_trees_1.0_TPU_draft.inst.cfg b/resources/quality/twotrees/tpu/two_trees_1.0_TPU_draft.inst.cfg index 3084c6d1b2..385b5753ba 100644 --- a/resources/quality/twotrees/tpu/two_trees_1.0_TPU_draft.inst.cfg +++ b/resources/quality/twotrees/tpu/two_trees_1.0_TPU_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft material = generic_tpu diff --git a/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg b/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg index 6bdd47a2af..37a84495c8 100644 --- a/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg +++ b/resources/quality/twotrees/two_trees_global_adaptive.inst.cfg @@ -4,7 +4,7 @@ name = Dynamic Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = adaptive weight = -2 diff --git a/resources/quality/twotrees/two_trees_global_draft.inst.cfg b/resources/quality/twotrees/two_trees_global_draft.inst.cfg index 2d3f575d84..e0e85e3cb9 100644 --- a/resources/quality/twotrees/two_trees_global_draft.inst.cfg +++ b/resources/quality/twotrees/two_trees_global_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -5 diff --git a/resources/quality/twotrees/two_trees_global_low.inst.cfg b/resources/quality/twotrees/two_trees_global_low.inst.cfg index 4b14a6c67c..0d202baebe 100644 --- a/resources/quality/twotrees/two_trees_global_low.inst.cfg +++ b/resources/quality/twotrees/two_trees_global_low.inst.cfg @@ -4,7 +4,7 @@ name = Low Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = low weight = -4 diff --git a/resources/quality/twotrees/two_trees_global_standard.inst.cfg b/resources/quality/twotrees/two_trees_global_standard.inst.cfg index b53fdd7330..3b7500388b 100644 --- a/resources/quality/twotrees/two_trees_global_standard.inst.cfg +++ b/resources/quality/twotrees/two_trees_global_standard.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = standard weight = -3 diff --git a/resources/quality/twotrees/two_trees_global_super.inst.cfg b/resources/quality/twotrees/two_trees_global_super.inst.cfg index 605322b3a0..039b192024 100644 --- a/resources/quality/twotrees/two_trees_global_super.inst.cfg +++ b/resources/quality/twotrees/two_trees_global_super.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = super weight = -1 diff --git a/resources/quality/twotrees/two_trees_global_ultra.inst.cfg b/resources/quality/twotrees/two_trees_global_ultra.inst.cfg index 5960c80aac..b9be0808cd 100644 --- a/resources/quality/twotrees/two_trees_global_ultra.inst.cfg +++ b/resources/quality/twotrees/two_trees_global_ultra.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultra weight = 0 diff --git a/resources/quality/ultimaker2/um2_draft.inst.cfg b/resources/quality/ultimaker2/um2_draft.inst.cfg index eff7b7e56e..7b5a7d2aa1 100644 --- a/resources/quality/ultimaker2/um2_draft.inst.cfg +++ b/resources/quality/ultimaker2/um2_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2/um2_fast.inst.cfg b/resources/quality/ultimaker2/um2_fast.inst.cfg index 060be2ef70..666921ce74 100644 --- a/resources/quality/ultimaker2/um2_fast.inst.cfg +++ b/resources/quality/ultimaker2/um2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2/um2_high.inst.cfg b/resources/quality/ultimaker2/um2_high.inst.cfg index 495ce24d94..a48434ac8d 100644 --- a/resources/quality/ultimaker2/um2_high.inst.cfg +++ b/resources/quality/ultimaker2/um2_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2/um2_normal.inst.cfg b/resources/quality/ultimaker2/um2_normal.inst.cfg index 124fc3390d..b38837c7ac 100644 --- a/resources/quality/ultimaker2/um2_normal.inst.cfg +++ b/resources/quality/ultimaker2/um2_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/pla_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus/pla_0.25_normal.inst.cfg index 77df2e1e95..15483409a7 100644 --- a/resources/quality/ultimaker2_plus/pla_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/pla_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/pla_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus/pla_0.4_fast.inst.cfg index eb78d22cf9..63563ac9ef 100644 --- a/resources/quality/ultimaker2_plus/pla_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/pla_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus/pla_0.4_high.inst.cfg b/resources/quality/ultimaker2_plus/pla_0.4_high.inst.cfg index e4cc96f400..b13c39c673 100644 --- a/resources/quality/ultimaker2_plus/pla_0.4_high.inst.cfg +++ b/resources/quality/ultimaker2_plus/pla_0.4_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/pla_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/pla_0.4_normal.inst.cfg index ee6672e79a..2bbb4952bf 100644 --- a/resources/quality/ultimaker2_plus/pla_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/pla_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/pla_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus/pla_0.6_normal.inst.cfg index bba22a417b..9bb3b38200 100644 --- a/resources/quality/ultimaker2_plus/pla_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/pla_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/pla_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus/pla_0.8_normal.inst.cfg index 196adf84ca..0deab058ad 100644 --- a/resources/quality/ultimaker2_plus/pla_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/pla_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_abs_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_abs_0.25_normal.inst.cfg index a8b7480fad..ae0b9cefa8 100644 --- a/resources/quality/ultimaker2_plus/um2p_abs_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_abs_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_abs_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_abs_0.4_fast.inst.cfg index 7adbd58ebf..68aff39936 100644 --- a/resources/quality/ultimaker2_plus/um2p_abs_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_abs_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_abs_0.4_high.inst.cfg b/resources/quality/ultimaker2_plus/um2p_abs_0.4_high.inst.cfg index ec788a37cc..a1f9dce7f0 100644 --- a/resources/quality/ultimaker2_plus/um2p_abs_0.4_high.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_abs_0.4_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_abs_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_abs_0.4_normal.inst.cfg index 6c0ffbe5a1..a667f45e44 100644 --- a/resources/quality/ultimaker2_plus/um2p_abs_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_abs_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_abs_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_abs_0.6_normal.inst.cfg index 0fba35f048..a73c13ecec 100644 --- a/resources/quality/ultimaker2_plus/um2p_abs_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_abs_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_abs_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_abs_0.8_normal.inst.cfg index 00e14a0a9e..85d8436603 100644 --- a/resources/quality/ultimaker2_plus/um2p_abs_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_abs_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_cpe_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpe_0.25_normal.inst.cfg index 0db132c45c..56727fc86f 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpe_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpe_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_cpe_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpe_0.4_fast.inst.cfg index 8f71e1d229..7293177170 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpe_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpe_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_cpe_0.4_high.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpe_0.4_high.inst.cfg index b90f191b93..ca3224ace7 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpe_0.4_high.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpe_0.4_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_cpe_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpe_0.4_normal.inst.cfg index 46ffef4f18..2be7544374 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpe_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpe_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_cpe_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpe_0.6_normal.inst.cfg index 2478a5ae83..997f1fbab1 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpe_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpe_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_cpe_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpe_0.8_normal.inst.cfg index 5e1e75d106..8935e57bd1 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpe_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpe_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_cpep_0.4_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpep_0.4_draft.inst.cfg index d9a99f2395..c4d4798cef 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpep_0.4_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpep_0.4_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_cpep_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpep_0.4_normal.inst.cfg index 7061865c43..e0fa416aaf 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpep_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpep_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_cpep_0.6_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpep_0.6_draft.inst.cfg index a5fdd24f57..29bcd5e3b9 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpep_0.6_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpep_0.6_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_cpep_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpep_0.6_normal.inst.cfg index 96e7b460b6..1b1102ae41 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpep_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpep_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_cpep_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpep_0.8_draft.inst.cfg index 9fa1590893..65c7e56fee 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpep_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpep_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_cpep_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_cpep_0.8_normal.inst.cfg index a726f74687..c99e991aef 100644 --- a/resources/quality/ultimaker2_plus/um2p_cpep_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_cpep_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_global_Coarse_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_Coarse_Quality.inst.cfg index 930df252cc..ee4a7dee55 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -4 diff --git a/resources/quality/ultimaker2_plus/um2p_global_Draft_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_Draft_Quality.inst.cfg index 3110925e11..c95c3e2f0e 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_Draft_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_global_Extra_Coarse_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_Extra_Coarse_Quality.inst.cfg index f5331fd7aa..4c43951b7a 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_Extra_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_Extra_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extracoarse weight = -3 diff --git a/resources/quality/ultimaker2_plus/um2p_global_Fast_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_Fast_Quality.inst.cfg index ab14a7fa39..e1eae1a271 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_Fast_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_global_High_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_High_Quality.inst.cfg index 2684ab87ca..05dfa38b87 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_High_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_global_Normal_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_Normal_Quality.inst.cfg index 4dac24212b..13e56dc21f 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_global_Slightly_Coarse_Quality.inst.cfg b/resources/quality/ultimaker2_plus/um2p_global_Slightly_Coarse_Quality.inst.cfg index e9ebc94d08..2acce1df9e 100644 --- a/resources/quality/ultimaker2_plus/um2p_global_Slightly_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_global_Slightly_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -4 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.25_high.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.25_high.inst.cfg index c09858b1cf..e3104ecb40 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.25_high.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.25_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.25_normal.inst.cfg index 3032ef605f..1953c20a11 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.4_fast.inst.cfg index 44eb9469c5..4680476de8 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.4_normal.inst.cfg index 41ab4c2dcb..2f0a543ec5 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.6_fast.inst.cfg index 84d3f2fa2d..1442289d90 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.6_normal.inst.cfg index 65a86f8056..13066f1685 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.8_draft.inst.cfg index a378fcb13c..9288409611 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_nylon_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_nylon_0.8_normal.inst.cfg index 069456275a..f2caa2441b 100644 --- a/resources/quality/ultimaker2_plus/um2p_nylon_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_nylon_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.25_high.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.25_high.inst.cfg index 8e59344a7d..77120dec46 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.25_high.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.25_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.25_normal.inst.cfg index 5eeb528746..fce0028973 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.4_fast.inst.cfg index 9f4be3dec6..11b213b799 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.4_normal.inst.cfg index 92799471c0..db8e5058f6 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.6_fast.inst.cfg index 19d274763e..28c8ee4ead 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.6_normal.inst.cfg index 2f0b0ca31c..36059ce309 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.8_draft.inst.cfg index 9cc78894a4..dd0a425aec 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extracoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_pc_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pc_0.8_normal.inst.cfg index 01d434d195..3116e3d2fc 100644 --- a/resources/quality/ultimaker2_plus/um2p_pc_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pc_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_pp_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pp_0.4_fast.inst.cfg index 54168650e6..10f6d07dba 100644 --- a/resources/quality/ultimaker2_plus/um2p_pp_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pp_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_pp_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pp_0.4_normal.inst.cfg index 86998318ad..ca4f9ec1d9 100644 --- a/resources/quality/ultimaker2_plus/um2p_pp_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pp_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_pp_0.6_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pp_0.6_draft.inst.cfg index 79333e70c5..c77c6fcb95 100644 --- a/resources/quality/ultimaker2_plus/um2p_pp_0.6_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pp_0.6_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_pp_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pp_0.6_fast.inst.cfg index 8c97f720d5..58b93a9af1 100644 --- a/resources/quality/ultimaker2_plus/um2p_pp_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pp_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus/um2p_pp_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pp_0.8_draft.inst.cfg index 6512c9e064..b066ba3929 100644 --- a/resources/quality/ultimaker2_plus/um2p_pp_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pp_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus/um2p_pp_0.8_verydraft.inst.cfg b/resources/quality/ultimaker2_plus/um2p_pp_0.8_verydraft.inst.cfg index d3404eda03..a89ac4f68b 100644 --- a/resources/quality/ultimaker2_plus/um2p_pp_0.8_verydraft.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_pp_0.8_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -3 diff --git a/resources/quality/ultimaker2_plus/um2p_tpu_0.25_high.inst.cfg b/resources/quality/ultimaker2_plus/um2p_tpu_0.25_high.inst.cfg index be2306abbe..5303e5f526 100644 --- a/resources/quality/ultimaker2_plus/um2p_tpu_0.25_high.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_tpu_0.25_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus/um2p_tpu_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus/um2p_tpu_0.4_normal.inst.cfg index 88e1a83236..b4945a27cd 100644 --- a/resources/quality/ultimaker2_plus/um2p_tpu_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_tpu_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus/um2p_tpu_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus/um2p_tpu_0.6_fast.inst.cfg index 610d19b6bb..739f949dfc 100644 --- a/resources/quality/ultimaker2_plus/um2p_tpu_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus/um2p_tpu_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.25_normal.inst.cfg index 773bbf87e6..956d708e69 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_fast.inst.cfg index 101443f824..61ede571db 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_high.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_high.inst.cfg index cb4cc44492..ab44842212 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_high.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_normal.inst.cfg index 7a98aef60f..63f92a2770 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.6_normal.inst.cfg index 44ba1322f8..b7d9d9d437 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.8_normal.inst.cfg index 5ddd20b780..36e2b2180b 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_abs_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.25_normal.inst.cfg index fc1fb6af2e..f3d9bb79d9 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_fast.inst.cfg index 3c98b58adf..45f350cdbd 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_high.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_high.inst.cfg index da065c7a0d..3d0e9f6abd 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_high.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_normal.inst.cfg index f09587ff12..ab5559b322 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.6_normal.inst.cfg index 5f1405e70f..286474454b 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.8_normal.inst.cfg index 327c945a16..23e8d25778 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpe_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_draft.inst.cfg index 9d7766f471..d37743423b 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_normal.inst.cfg index 3232ee17fa..a0fd902e31 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_draft.inst.cfg index 568de1e9d3..b96242f569 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_normal.inst.cfg index 6611600516..58e7974fe6 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_draft.inst.cfg index 911182f387..8f3db13ad6 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_normal.inst.cfg index c5dfdc0f5e..c7e44efbbf 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_cpep_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_Coarse_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_Coarse_Quality.inst.cfg index 0a87ef3ecf..2bc852b924 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -4 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_Draft_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_Draft_Quality.inst.cfg index fbdb4cc72c..dba3bfac50 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_Draft_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_Extra_Coarse_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_Extra_Coarse_Quality.inst.cfg index ab454e871d..a7f7ad2ce6 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_Extra_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_Extra_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extracoarse weight = -3 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_Fast_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_Fast_Quality.inst.cfg index 3a074583fe..822d97c624 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_Fast_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_High_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_High_Quality.inst.cfg index ca55829c58..53c3c4ca20 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_High_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_Normal_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_Normal_Quality.inst.cfg index ac9611c21b..2a263be4f0 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_global_Slightly_Coarse_Quality.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_global_Slightly_Coarse_Quality.inst.cfg index 33251dd1f4..f9ffa3d7fb 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_global_Slightly_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_global_Slightly_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -4 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_high.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_high.inst.cfg index 3ae7cfadd8..79a6223869 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_high.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_normal.inst.cfg index 860469e6ab..b65b044aea 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_fast.inst.cfg index 772decdaaa..b9074df494 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_normal.inst.cfg index 8ba007bcfd..1986a09fc7 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_fast.inst.cfg index 3b5b257d1f..78cf8fd15d 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_normal.inst.cfg index 8817893365..1b38f220e2 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_draft.inst.cfg index fdf3d9e976..02b1e8ae1f 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_normal.inst.cfg index 9c01a55158..e9363c7f73 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_nylon_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_high.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_high.inst.cfg index a50cffd97e..e45b40cada 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_high.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_normal.inst.cfg index 97607d71d8..4a193f9fe5 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_fast.inst.cfg index 8ab51d13d5..41184ed396 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_normal.inst.cfg index 6cf165fd1d..a90ac4a92d 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_fast.inst.cfg index 39ff366eac..cece9e3581 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_normal.inst.cfg index 230a8c11f7..8607215af8 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.8_normal.inst.cfg index 47f6d99c50..645897c076 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pc_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.25_normal.inst.cfg index f119e0d90b..274e88148a 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_draft.inst.cfg index 65329daedd..b3603991b1 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_fast.inst.cfg index 9b098bd25f..08d60d6018 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_normal.inst.cfg index a060c5d080..c86e206475 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.6_normal.inst.cfg index 99157dacdc..43cf222a39 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.8_normal.inst.cfg index d801c71a61..de2df7dee3 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_petg_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.25_normal.inst.cfg index 5c6041a5bb..84442b895a 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_draft.inst.cfg index fcbe4d747d..c03d3ca7c3 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_fast.inst.cfg index 3e1192b30b..a267ce002a 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_high.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_high.inst.cfg index 67dcecb419..3a44812078 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_high.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_normal.inst.cfg index 30082874bb..f85c61b885 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.6_normal.inst.cfg index 3a87fcd25f..4f77e995d4 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.8_normal.inst.cfg index 3630095b92..f7798a0293 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pla_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_fast.inst.cfg index 3b83a07935..077ce01713 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_normal.inst.cfg index 86f6738c41..9e827e0da6 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_draft.inst.cfg index bb65c7f3f4..afc75d1238 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_fast.inst.cfg index c250c87873..52b963bb90 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_draft.inst.cfg index 06ed1144ce..b13fcb5572 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_verydraft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_verydraft.inst.cfg index 4eff1e7d96..935c0bb603 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_verydraft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_pp_0.8_verydraft.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = slightlycoarse weight = -3 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.25_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.25_normal.inst.cfg index 4081f46da3..b3308686de 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.25_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.25_normal.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_draft.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_draft.inst.cfg index 503d426163..ab146869d9 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_draft.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_draft.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_fast.inst.cfg index 86dc624324..a985f0c797 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_normal.inst.cfg index bd0fe9d1c5..7da9e7165c 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.6_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.6_normal.inst.cfg index 51a79e3a81..1fd07a8c85 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.6_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.6_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.8_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.8_normal.inst.cfg index c59abdf224..8a5d70f1f7 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.8_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpla_0.8_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.25_high.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.25_high.inst.cfg index 162c2b614d..35654230e4 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.25_high.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.25_high.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.4_normal.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.4_normal.inst.cfg index e10ffc83d9..35a2fd03db 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.4_normal.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.4_normal.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.6_fast.inst.cfg b/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.6_fast.inst.cfg index 141ba84e6c..f7fbb956b7 100644 --- a/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.6_fast.inst.cfg +++ b/resources/quality/ultimaker2_plus_connect/um2pc_tpu_0.6_fast.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.25_ABS_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_ABS_Normal_Quality.inst.cfg index efa0377962..bba792d870 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.25_CPE_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_CPE_Normal_Quality.inst.cfg index d7a625748b..df61c040ae 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.25_Nylon_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_Nylon_Normal_Quality.inst.cfg index 1f5b7c74c6..a080ca08d8 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.25_PC_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_PC_Normal_Quality.inst.cfg index fa767712df..1eaab8a586 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_PC_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.25_PETG_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_PETG_Normal_Quality.inst.cfg index 8d69db3b45..c09c172357 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.25_PLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_PLA_Normal_Quality.inst.cfg index 5d229372c4..1287a5b43b 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.25_PP_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_PP_Normal_Quality.inst.cfg index 50286e7505..fe621363d4 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_PP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -17,7 +17,6 @@ brim_width = 10 cool_fan_speed_max = 100 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 2.5 - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' infill_wipe_dist = 0.1 jerk_enabled = True diff --git a/resources/quality/ultimaker3/um3_aa0.25_TPLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.25_TPLA_Normal_Quality.inst.cfg index ae923ffe98..0da1ac1283 100644 --- a/resources/quality/ultimaker3/um3_aa0.25_TPLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.25_TPLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_ABS_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_ABS_Draft_Print.inst.cfg index 392b82ed28..4a0278c7c2 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_ABS_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_ABS_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_ABS_Fast_Print.inst.cfg index 62333eeea0..2d97668ea0 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_ABS_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_ABS_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_ABS_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_ABS_High_Quality.inst.cfg index f56769c9fc..135b2879b2 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_ABS_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_ABS_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_ABS_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_ABS_Normal_Quality.inst.cfg index b58fc5a0f1..426e56f39e 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_BAM_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_BAM_Draft_Print.inst.cfg index 404dcea927..b302bbee32 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_BAM_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_BAM_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_BAM_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_BAM_Fast_Print.inst.cfg index 86f5b06837..e74bf83698 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_BAM_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_BAM_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_BAM_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_BAM_Normal_Quality.inst.cfg index 518985a765..da5b43de8a 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_BAM_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_BAM_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPEP_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPEP_Draft_Print.inst.cfg index ebc1ef3d84..6175c54619 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPEP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPEP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPEP_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPEP_Fast_Print.inst.cfg index 7defd639d9..bfd389413b 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPEP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPEP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPEP_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPEP_High_Quality.inst.cfg index ed7dc37a59..72ba53f1a9 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPEP_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPEP_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPEP_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPEP_Normal_Quality.inst.cfg index 5abb681436..12e23cdd52 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPEP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPEP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPE_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPE_Draft_Print.inst.cfg index 4892b9d67d..413b3da609 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPE_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPE_Fast_Print.inst.cfg index 00303fb5be..3dda0b04c5 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPE_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPE_High_Quality.inst.cfg index 51f1c3efd7..9603700ff4 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPE_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPE_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_CPE_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_CPE_Normal_Quality.inst.cfg index 3efac75fbf..2be06c4faf 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_Nylon_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_Nylon_Draft_Print.inst.cfg index 1d7318177e..f7389e904c 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_Nylon_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_Nylon_Fast_Print.inst.cfg index 99fbd8f1a1..54b8ecde2d 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_Nylon_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_Nylon_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_Nylon_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_Nylon_High_Quality.inst.cfg index d8fa4f3c28..2ac939ce56 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_Nylon_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_Nylon_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_Nylon_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_Nylon_Normal_Quality.inst.cfg index b02c5dba6b..8d8ea8b8f8 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PC_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PC_Draft_Print.inst.cfg index aa21e56eca..c2129652ee 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PC_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PC_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PC_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PC_Fast_Print.inst.cfg index 5e2cd3831c..1b3fc14f06 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PC_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 @@ -18,7 +18,6 @@ cool_fan_full_at_height = =layer_height_0 + layer_height cool_fan_speed_max = 85 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 7 - infill_overlap_mm = =0 if infill_sparse_density > 80 else 0.05 infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' infill_wipe_dist = 0.1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PC_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PC_High_Quality.inst.cfg index 5038b0e0a3..c704d6ca5d 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PC_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PC_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PC_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PC_Normal_Quality.inst.cfg index 0a75c8c5c2..2964528789 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PC_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PETG_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PETG_Draft_Print.inst.cfg index fbe586589e..5ef579300e 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PETG_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PETG_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PETG_Fast_Print.inst.cfg index 31a29963e7..ef63d93dd1 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PETG_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PETG_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PETG_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PETG_Normal_Quality.inst.cfg index 9588e6c5d5..a586629355 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PLA_Draft_Print.inst.cfg index 13f855385c..818e01f742 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PLA_Fast_Print.inst.cfg index c5838af6a0..22a6b35322 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PLA_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PLA_High_Quality.inst.cfg index edc4a19f15..bfc4c38c8c 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PLA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PLA_Normal_Quality.inst.cfg index 091061b233..c47f454305 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PP_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PP_Draft_Print.inst.cfg index 733327bc92..3d74fc55b3 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PP_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PP_Fast_Print.inst.cfg index 6ac30103a4..70935140fb 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_PP_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_PP_Normal_Quality.inst.cfg index e8c3e15b66..8c84e4787c 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_PP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_TPLA_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_TPLA_Draft_Print.inst.cfg index fdd73edbeb..b700f8e80d 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_TPLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_TPLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_TPLA_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_TPLA_Fast_Print.inst.cfg index 110bb95473..71f674616f 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_TPLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_TPLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_TPLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_TPLA_Normal_Quality.inst.cfg index 380236a09a..42de88a562 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_TPLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_TPLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.4_TPU_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_TPU_Draft_Print.inst.cfg index fc8c6c7a2f..cfeb6d3a27 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_TPU_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.4_TPU_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_TPU_Fast_Print.inst.cfg index 05d44a128b..c6c07aeba3 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_TPU_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_TPU_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_aa0.4_TPU_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_aa0.4_TPU_Normal_Quality.inst.cfg index 4c147484b7..cb37e16883 100644 --- a/resources/quality/ultimaker3/um3_aa0.4_TPU_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.4_TPU_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_aa0.8_ABS_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_ABS_Draft_Print.inst.cfg index d2985f56e2..88ffd1aeb1 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_ABS_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_ABS_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_ABS_Superdraft_Print.inst.cfg index 68d615559a..344c8ec47b 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_ABS_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_ABS_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_ABS_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_ABS_Verydraft_Print.inst.cfg index ebabeb8b7e..a444a70796 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_ABS_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_ABS_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_CPEP_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_CPEP_Fast_Print.inst.cfg index 18aee2af4d..1da10d84ed 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_CPEP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_CPEP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_CPEP_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_CPEP_Superdraft_Print.inst.cfg index 49bd4513f7..633f48893d 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_CPEP_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_CPEP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_CPEP_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_CPEP_Verydraft_Print.inst.cfg index 438e5b294a..d1e1397078 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_CPEP_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_CPEP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_CPE_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_CPE_Draft_Print.inst.cfg index 5c4c7533f0..293e2ec56d 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_CPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_CPE_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_CPE_Superdraft_Print.inst.cfg index 88216c6a50..d9bbacf909 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_CPE_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_CPE_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_CPE_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_CPE_Verydraft_Print.inst.cfg index 7abba389a9..1e57dd5049 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_CPE_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_CPE_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_Nylon_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_Nylon_Draft_Print.inst.cfg index 31a9fae6f7..8242fef441 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_Nylon_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_Nylon_Superdraft_Print.inst.cfg index aff779c11c..150d58ef48 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_Nylon_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_Nylon_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_Nylon_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_Nylon_Verydraft_Print.inst.cfg index 342944b069..fb0aa8c1f2 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_Nylon_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_Nylon_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PC_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PC_Fast_Print.inst.cfg index 2c727d5d49..226522000c 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PC_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PC_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PC_Superdraft_Print.inst.cfg index 69fd0299f6..81c4bb3394 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PC_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PC_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PC_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PC_Verydraft_Print.inst.cfg index b457d4f40b..d147d2259d 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PC_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PC_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PETG_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PETG_Draft_Print.inst.cfg index 8ddaf83b3e..ec58dae719 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PETG_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PETG_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PETG_Superdraft_Print.inst.cfg index 525d12766a..a7a1593a29 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PETG_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PETG_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PETG_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PETG_Verydraft_Print.inst.cfg index 4a76fd24bc..93af43f386 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PETG_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PETG_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PLA_Draft_Print.inst.cfg index 3c1967d183..added0b5ad 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PLA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PLA_Superdraft_Print.inst.cfg index e6c095066e..0c55551453 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PLA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PLA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PLA_Verydraft_Print.inst.cfg index e309d1c5ba..00bdc6c219 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PLA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PP_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PP_Draft_Print.inst.cfg index 0bf4cfb827..16093951d2 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PP_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PP_Superdraft_Print.inst.cfg index b55743a937..9a2b73fa91 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PP_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_PP_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_PP_Verydraft_Print.inst.cfg index bad0e04203..d08659c036 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_PP_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_PP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_TPLA_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_TPLA_Draft_Print.inst.cfg index e63f7c5c04..1f86a66c38 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_TPLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_TPLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_TPLA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_TPLA_Superdraft_Print.inst.cfg index e2010e4a66..1c144290b4 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_TPLA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_TPLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_TPLA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_TPLA_Verydraft_Print.inst.cfg index 28b1b4c24a..31f23166f0 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_TPLA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_TPLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_aa0.8_TPU_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_TPU_Draft_Print.inst.cfg index 2569a3f020..f0bc86da9f 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_TPU_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_aa0.8_TPU_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_TPU_Superdraft_Print.inst.cfg index e624166893..73ae3a5564 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_TPU_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_TPU_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_aa0.8_TPU_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_aa0.8_TPU_Verydraft_Print.inst.cfg index 863c8ec5fb..af1cbe6051 100644 --- a/resources/quality/ultimaker3/um3_aa0.8_TPU_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_aa0.8_TPU_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_bb0.4_PVA_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_bb0.4_PVA_Draft_Print.inst.cfg index 0168af4047..2ecf816627 100644 --- a/resources/quality/ultimaker3/um3_bb0.4_PVA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.4_PVA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_bb0.4_PVA_Fast_Print.inst.cfg b/resources/quality/ultimaker3/um3_bb0.4_PVA_Fast_Print.inst.cfg index 1fbc5c2026..a79f4c5c4c 100644 --- a/resources/quality/ultimaker3/um3_bb0.4_PVA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.4_PVA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_bb0.4_PVA_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_bb0.4_PVA_High_Quality.inst.cfg index 38547a6ce4..f9f28d5bd8 100644 --- a/resources/quality/ultimaker3/um3_bb0.4_PVA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.4_PVA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_bb0.4_PVA_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_bb0.4_PVA_Normal_Quality.inst.cfg index 3f0293a2c4..f141679608 100644 --- a/resources/quality/ultimaker3/um3_bb0.4_PVA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.4_PVA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_bb0.8_PVA_Draft_Print.inst.cfg b/resources/quality/ultimaker3/um3_bb0.8_PVA_Draft_Print.inst.cfg index 957f6d9fc6..c7d641f2fa 100644 --- a/resources/quality/ultimaker3/um3_bb0.8_PVA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.8_PVA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_bb0.8_PVA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_bb0.8_PVA_Superdraft_Print.inst.cfg index 89e812622d..8a53ae05e4 100644 --- a/resources/quality/ultimaker3/um3_bb0.8_PVA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.8_PVA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_bb0.8_PVA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker3/um3_bb0.8_PVA_Verydraft_Print.inst.cfg index ece679521f..682ea6040f 100644 --- a/resources/quality/ultimaker3/um3_bb0.8_PVA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker3/um3_bb0.8_PVA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker3/um3_global_Draft_Quality.inst.cfg b/resources/quality/ultimaker3/um3_global_Draft_Quality.inst.cfg index c3c7d182fd..54953cf308 100644 --- a/resources/quality/ultimaker3/um3_global_Draft_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker3/um3_global_Fast_Quality.inst.cfg b/resources/quality/ultimaker3/um3_global_Fast_Quality.inst.cfg index 135cb7954c..53d19220df 100644 --- a/resources/quality/ultimaker3/um3_global_Fast_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker3/um3_global_High_Quality.inst.cfg b/resources/quality/ultimaker3/um3_global_High_Quality.inst.cfg index 698a8a0649..77e1a2349f 100644 --- a/resources/quality/ultimaker3/um3_global_High_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker3/um3_global_Normal_Quality.inst.cfg b/resources/quality/ultimaker3/um3_global_Normal_Quality.inst.cfg index 5837143d7e..0e2c8d4643 100644 --- a/resources/quality/ultimaker3/um3_global_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker3/um3_global_Superdraft_Quality.inst.cfg b/resources/quality/ultimaker3/um3_global_Superdraft_Quality.inst.cfg index 03f54723fc..7cdff20d14 100644 --- a/resources/quality/ultimaker3/um3_global_Superdraft_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_global_Superdraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker3/um3_global_Verydraft_Quality.inst.cfg b/resources/quality/ultimaker3/um3_global_Verydraft_Quality.inst.cfg index 518df08292..a7d2388302 100644 --- a/resources/quality/ultimaker3/um3_global_Verydraft_Quality.inst.cfg +++ b/resources/quality/ultimaker3/um3_global_Verydraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_original/umo_global_Coarse_Quality.inst.cfg b/resources/quality/ultimaker_original/umo_global_Coarse_Quality.inst.cfg index 08ac096dc5..a335a0aab1 100644 --- a/resources/quality/ultimaker_original/umo_global_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker_original/umo_global_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = ultimaker_original [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/ultimaker_original/umo_global_Draft_Quality.inst.cfg b/resources/quality/ultimaker_original/umo_global_Draft_Quality.inst.cfg index 086cc9935f..063b8a23f9 100644 --- a/resources/quality/ultimaker_original/umo_global_Draft_Quality.inst.cfg +++ b/resources/quality/ultimaker_original/umo_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = ultimaker_original [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_original/umo_global_Extra_Coarse_Quality.inst.cfg b/resources/quality/ultimaker_original/umo_global_Extra_Coarse_Quality.inst.cfg index feeac27dc5..d0ae74abe8 100644 --- a/resources/quality/ultimaker_original/umo_global_Extra_Coarse_Quality.inst.cfg +++ b/resources/quality/ultimaker_original/umo_global_Extra_Coarse_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse Quality definition = ultimaker_original [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -4 diff --git a/resources/quality/ultimaker_original/umo_global_Fast_Quality.inst.cfg b/resources/quality/ultimaker_original/umo_global_Fast_Quality.inst.cfg index 33b389f921..aa4a422051 100644 --- a/resources/quality/ultimaker_original/umo_global_Fast_Quality.inst.cfg +++ b/resources/quality/ultimaker_original/umo_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_original [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_original/umo_global_High_Quality.inst.cfg b/resources/quality/ultimaker_original/umo_global_High_Quality.inst.cfg index 928f251a11..a6890e9884 100644 --- a/resources/quality/ultimaker_original/umo_global_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_original/umo_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_original [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_original/umo_global_Normal_Quality.inst.cfg b/resources/quality/ultimaker_original/umo_global_Normal_Quality.inst.cfg index 20c4e57bad..125951c3d1 100644 --- a/resources/quality/ultimaker_original/umo_global_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_original/umo_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_original [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_ABS_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_ABS_Normal_Quality.inst.cfg index 9f5961becb..08a82f1d5d 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_CPE_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_CPE_Normal_Quality.inst.cfg index d1c03c7fd3..fc2ae7e17f 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_Nylon_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_Nylon_Normal_Quality.inst.cfg index 2f7677d850..27d9387476 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_PC_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_PC_Normal_Quality.inst.cfg index 641bdd571c..47119e62bf 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_PC_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -48,5 +48,4 @@ switch_extruder_prime_speed = 15 switch_extruder_retraction_amount = 20 switch_extruder_retraction_speeds = 35 wall_0_inset = 0 - wall_thickness = 1.2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_PETG_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_PETG_Normal_Quality.inst.cfg index 493ca436a2..34fa0d7c84 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_PLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_PLA_Normal_Quality.inst.cfg index 63196f2a35..5f51f32b6a 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_PP_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_PP_Normal_Quality.inst.cfg index 993d991c6b..e426ee3efd 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_PP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -17,7 +17,6 @@ brim_width = 10 cool_fan_speed_max = 100 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 2.5 - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' infill_wipe_dist = 0.1 jerk_enabled = True @@ -51,5 +50,4 @@ switch_extruder_retraction_speeds = 35 top_bottom_thickness = 1 travel_avoid_distance = 3 wall_0_inset = 0 - wall_thickness = =line_width * 3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.25_TPLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.25_TPLA_Normal_Quality.inst.cfg index 93f65fe056..447d0412aa 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.25_TPLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.25_TPLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -15,7 +15,6 @@ variant = AA 0.25 brim_width = 8 cool_fan_full_at_height = =layer_height_0 cool_min_speed = 7 - infill_overlap = =0 if infill_sparse_density > 80 else 10 infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'grid' machine_nozzle_cool_down_speed = 0.9 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print.inst.cfg index 6fd7afc364..9644732c0c 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print.inst.cfg index 0f22b8977b..81def5bbd8 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_High_Quality.inst.cfg index 3364e4720d..fe4dd8cd17 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality.inst.cfg index 93f2e1a739..7e46754dde 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Draft_Print.inst.cfg index 78bff2eba9..4d33d3f8e2 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Fast_Print.inst.cfg index bf2daed3cb..a803e13f20 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Normal_Quality.inst.cfg index 496fb721e0..b3ef4abe94 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_VeryDraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_VeryDraft_Print.inst.cfg new file mode 100644 index 0000000000..757743c70b --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_BAM_VeryDraft_Print.inst.cfg @@ -0,0 +1,40 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -2 +material = generic_bam +variant = AA 0.4 +is_experimental = True + +[values] +brim_replaces_support = False +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =cool_fan_speed +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_print_temperature = =default_material_print_temperature + 5 +prime_tower_enable = =min(extruderValues('material_surface_energy')) < 100 +skin_overlap = 20 +speed_layer_0 = =math.ceil(speed_print * 20 / 70) +speed_topbottom = =math.ceil(speed_print * 35 / 70) +speed_wall = =math.ceil(speed_print * 50 / 70) +speed_wall_0 = =math.ceil(speed_wall * 35 / 50) +top_bottom_thickness = 1 +wall_thickness = 1 +support_brim_enable = True +support_interface_enable = True +support_interface_density = =min(extruderValues('material_surface_energy')) +support_interface_pattern = ='lines' if support_interface_density < 100 else 'concentric' +support_top_distance = 0.3 +support_bottom_distance = 0.3 +support_angle = 45 +support_join_distance = 5 +support_offset = 2 +support_pattern = triangles +support_infill_rate = =10 if support_enable and support_structure == 'normal' else 0 if support_enable and support_structure == 'tree' else 10 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Draft_Print.inst.cfg index 9e85a31e5e..d0e6e36ea3 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print.inst.cfg index a95e3ca53b..51f90c6c8f 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_High_Quality.inst.cfg index ef67add796..e5241c36c6 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality.inst.cfg index 6f8cc41f26..155001b888 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPEP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Draft_Print.inst.cfg index 8a05a157a0..1a6ae612ce 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print.inst.cfg index 1e006df819..f0b55841f3 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_High_Quality.inst.cfg index 8a41cf3000..fdbe5fb1d6 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality.inst.cfg index 0d55ae33c9..9bffd6f794 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Draft_Print.inst.cfg index 11274b2f0d..5bc7246093 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print.inst.cfg index 626d56d1b2..614254e9d9 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_High_Quality.inst.cfg index c3b3e14dc4..3a11b6dbe3 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality.inst.cfg index 59eadf035b..a5abd1bab6 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Draft_Print.inst.cfg index af713cf24a..69bbcf001d 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print.inst.cfg index e8e0f96997..63568363d2 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 @@ -18,7 +18,6 @@ cool_fan_full_at_height = =layer_height_0 + layer_height cool_fan_speed_max = 85 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 7 - infill_overlap_mm = =0 if infill_sparse_density > 80 else 0.05 infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' infill_wipe_dist = 0.1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_High_Quality.inst.cfg index eddb721d6a..3a317c820e 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality.inst.cfg index 6f78d5c2e1..8b264ad751 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Draft_Print.inst.cfg index 3f244a6a05..bff77a1390 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print.inst.cfg index 28a69018a6..ec87609aac 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_High_Quality.inst.cfg index f0cc17f2c2..2d0597b257 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality.inst.cfg index 9e7f66c7a1..71d942fc6a 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print.inst.cfg index e12e733e3d..7ca3b04031 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print.inst.cfg index 2c2a2b39a7..38741f40ff 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_High_Quality.inst.cfg index c5ea2e1400..871ab6adc8 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality.inst.cfg index 9636a55c61..7c8b71cd68 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_VeryDraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_VeryDraft_Print.inst.cfg new file mode 100644 index 0000000000..27f152db21 --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PLA_VeryDraft_Print.inst.cfg @@ -0,0 +1,46 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -2 +material = generic_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 15 + +jerk_travel = 20 +acceleration_print = 2000 +acceleration_wall = 1500 +acceleration_wall_0 = 1000 +acceleration_topbottom = 1000 +acceleration_travel = 2000 + +speed_print = 50 +speed_wall = 50 + +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =cool_fan_speed + +material_print_temperature = =default_material_print_temperature + 10 +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_standby_temperature = 100 + +prime_tower_enable = False +skin_edge_support_thickness = =0.9 if infill_sparse_density < 30 else 0 +skin_overlap = 20 + +infill_line_width = =round(line_width * 0.42 / 0.35, 2) +wall_thickness = =line_width * 3 +top_bottom_thickness = 0.9 + +infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' + +raft_airgap = =0.25 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Draft_Print.inst.cfg index 457a5e7048..816eaeda5d 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Fast_Print.inst.cfg index 8399c9e3f4..498bdd6bd5 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Normal_Quality.inst.cfg index 3156a38f37..28b1470419 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print.inst.cfg index 07e921e293..522c35cec2 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print.inst.cfg index deffe82cd0..b97bdbece7 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_High_Quality.inst.cfg index 7512adc068..262a1593a3 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality.inst.cfg index 0c9d86f51f..c438fd2a93 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_VeryDraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_VeryDraft_Print.inst.cfg new file mode 100644 index 0000000000..b2d5fc0aae --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPLA_VeryDraft_Print.inst.cfg @@ -0,0 +1,46 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -2 +material = generic_tough_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 15 + +jerk_travel = 20 +acceleration_print = 2000 +acceleration_wall = 1500 +acceleration_wall_0 = 1000 +acceleration_topbottom = 1000 +acceleration_travel = 2000 + +speed_print = 50 +speed_wall = 50 + +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =cool_fan_speed + +material_print_temperature = =default_material_print_temperature - 5 +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_standby_temperature = 100 + +prime_tower_enable = False +skin_edge_support_thickness = =0.9 if infill_sparse_density < 30 else 0 +skin_overlap = 20 + +infill_line_width = =round(line_width * 0.42 / 0.35, 2) +wall_thickness = =line_width * 3 +top_bottom_thickness = 1.2 + +infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' + +raft_airgap = =0.25 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Draft_Print.inst.cfg index d8fe3cb58a..20545a51f0 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Fast_Print.inst.cfg index 78759eae16..a6ab99ffd6 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Normal_Quality.inst.cfg index 353c01e17c..d8e4c4aae2 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.4_TPU_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Draft_Print.inst.cfg index 83307b3989..d38564ef8c 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Superdraft_Print.inst.cfg index 597a7bb4fe..78593302e3 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Verydraft_Print.inst.cfg index 0fee66e2e4..a5495fc113 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_ABS_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Fast_Print.inst.cfg index a3c1641407..ab0088e44f 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Superdraft_Print.inst.cfg index 340c20d968..edac440f9a 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Verydraft_Print.inst.cfg index d064920dcf..fb6e33aff1 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPEP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Draft_Print.inst.cfg index 3cb350975c..9e293db418 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Superdraft_Print.inst.cfg index 91bce0f11b..0062aa89f8 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Verydraft_Print.inst.cfg index 0cf188093b..86e7b2465e 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_CPE_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Draft_Print.inst.cfg index a0c3386e76..3cb85b22cb 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Superdraft_Print.inst.cfg index 687e9f371f..b1962e3f88 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Verydraft_Print.inst.cfg index 06c806d85b..5495eafcb3 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_Nylon_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Fast_Print.inst.cfg index f291ab075a..40d148ef75 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Superdraft_Print.inst.cfg index 313d31e1a3..4100787241 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Verydraft_Print.inst.cfg index 7bf8768c6d..5908dd7630 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PC_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Draft_Print.inst.cfg index 4b66d6fdaf..c34d5b281b 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Superdraft_Print.inst.cfg index 7a2c5261e1..8940e53e23 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Verydraft_Print.inst.cfg index 190f74524b..56d72118c6 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PETG_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Draft_Print.inst.cfg index 30fd5c9eca..279e4f4beb 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Superdraft_Print.inst.cfg index 47e921703b..9c6ec154fe 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Verydraft_Print.inst.cfg index e9f282c87e..6ef378376d 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Draft_Print.inst.cfg index 88d965fcf9..0350a1836f 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 @@ -16,8 +16,6 @@ brim_width = 25 cool_min_layer_time_fan_speed_max = 6 cool_min_speed = 17 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' material_bed_temperature_layer_0 = =material_bed_temperature material_print_temperature = =default_material_print_temperature - 2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Superdraft_Print.inst.cfg index 2d635e2c35..cfe751f38b 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 @@ -16,8 +16,6 @@ brim_width = 25 cool_min_layer_time_fan_speed_max = 6 cool_min_speed = 17 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' material_bed_temperature_layer_0 = =material_bed_temperature material_print_temperature = =default_material_print_temperature + 2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Verydraft_Print.inst.cfg index 51ac6ad64a..58a7cea554 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_PP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 @@ -16,8 +16,6 @@ brim_width = 25 cool_min_layer_time_fan_speed_max = 6 cool_min_speed = 17 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' material_bed_temperature_layer_0 = =material_bed_temperature material_print_temperature_layer_0 = =default_material_print_temperature + 2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Draft_Print.inst.cfg index 15b1d875dc..91e9ac5632 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Superdraft_Print.inst.cfg index 07c0bdb58a..db12dff2f0 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Verydraft_Print.inst.cfg index d65a461c96..a97439f98c 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Draft_Print.inst.cfg index 0bf963d44e..47cb0623eb 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Superdraft_Print.inst.cfg index b156045b2d..1155e46024 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 @@ -15,8 +15,6 @@ variant = AA 0.8 brim_width = 8.75 cool_min_layer_time_fan_speed_max = 6 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'cross_3d' infill_sparse_density = 10 machine_nozzle_cool_down_speed = 0.5 diff --git a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Verydraft_Print.inst.cfg index 87ef9a56f0..ab5562474d 100644 --- a/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_aa0.8_TPU_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 @@ -15,8 +15,6 @@ variant = AA 0.8 brim_width = 8.75 cool_min_layer_time_fan_speed_max = 6 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'cross_3d' infill_sparse_density = 10 machine_nozzle_cool_down_speed = 0.5 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Draft_Print.inst.cfg index 91a5e35d7e..16f2d610cf 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Fast_Print.inst.cfg index ff6c54622c..d9db33b80b 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_High_Quality.inst.cfg index 1cd3dc2338..9a03cdf835 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Normal_Quality.inst.cfg index 7fd3d847a5..ae60902e17 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Verydraft_Print.inst.cfg new file mode 100644 index 0000000000..0269b5feac --- /dev/null +++ b/resources/quality/ultimaker_s3/um_s3_bb0.4_PVA_Verydraft_Print.inst.cfg @@ -0,0 +1,20 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s3 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -3 +material = generic_pva +variant = BB 0.4 +is_experimental = True + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +support_brim_enable = True +support_infill_sparse_thickness = 0.3 +support_interface_height = 1.2 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Draft_Print.inst.cfg index 19cdadec0e..2cc124ff59 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Superdraft_Print.inst.cfg index 35750264ca..161c37b30a 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Verydraft_Print.inst.cfg index f52118817c..d4ed04f23a 100644 --- a/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_bb0.8_PVA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Draft_Print.inst.cfg index db9f7a118e..b71262e643 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Fast_Print.inst.cfg index a4270f7c79..053afc04a5 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFCPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Draft_Print.inst.cfg index a675beb61e..259e269406 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Fast_Print.inst.cfg index e9003721ec..3233442e50 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_CFFPA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Draft_Print.inst.cfg index 7f692d8a8c..b4151ee80b 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Fast_Print.inst.cfg index 26a2e6fae4..becf437583 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFCPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Draft_Print.inst.cfg index 4b63017464..a167732e56 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Fast_Print.inst.cfg index 58076ba6e9..70a6eee76e 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_GFFPA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Draft_Print.inst.cfg index 1d97708149..c354eea9e3 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Fast_Print.inst.cfg index 9c77d90987..a0778a7f88 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.4_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFCPE_Draft_Print.inst.cfg index 07d37ef967..fb60ce93f7 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFPA_Draft_Print.inst.cfg index 969da49a51..9520fde07e 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.6_CFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFCPE_Draft_Print.inst.cfg index bc65773a45..12098a1949 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFPA_Draft_Print.inst.cfg index 8ed2e7fb96..83577034b3 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.6_GFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Draft_Print.inst.cfg index 5d7b4371b0..c78b060dee 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -3 diff --git a/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Fast_Print.inst.cfg index e9fde09fb8..031db016b6 100644 --- a/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_cc0.6_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_global_Draft_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_global_Draft_Quality.inst.cfg index 404536eb7a..48b10a02e7 100644 --- a/resources/quality/ultimaker_s3/um_s3_global_Draft_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s3/um_s3_global_Fast_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_global_Fast_Quality.inst.cfg index d14fc7ad89..87382d1701 100644 --- a/resources/quality/ultimaker_s3/um_s3_global_Fast_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s3/um_s3_global_High_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_global_High_Quality.inst.cfg index 24744c2836..d5562de611 100644 --- a/resources/quality/ultimaker_s3/um_s3_global_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s3/um_s3_global_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_global_Normal_Quality.inst.cfg index ced89fab5e..892d1ff74e 100644 --- a/resources/quality/ultimaker_s3/um_s3_global_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s3/um_s3_global_Superdraft_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_global_Superdraft_Quality.inst.cfg index 570e0041e0..46db6915de 100644 --- a/resources/quality/ultimaker_s3/um_s3_global_Superdraft_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_global_Superdraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s3/um_s3_global_Verydraft_Quality.inst.cfg b/resources/quality/ultimaker_s3/um_s3_global_Verydraft_Quality.inst.cfg index 1d88af43e6..fcb3a47f5d 100644 --- a/resources/quality/ultimaker_s3/um_s3_global_Verydraft_Quality.inst.cfg +++ b/resources/quality/ultimaker_s3/um_s3_global_Verydraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_ABS_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_ABS_Normal_Quality.inst.cfg index 0fcaf725a9..efacf651ab 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_CPE_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_CPE_Normal_Quality.inst.cfg index e6e1fe189b..761a361df3 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_Nylon_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_Nylon_Normal_Quality.inst.cfg index 5d70a4654b..a4a5945c91 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_PC_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_PC_Normal_Quality.inst.cfg index b662dfe9de..ee3750680f 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_PC_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -19,7 +19,6 @@ cool_fan_full_at_height = =layer_height_0 + layer_height cool_fan_speed_max = 50 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 5 - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' infill_wipe_dist = 0.1 jerk_enabled = True @@ -49,5 +48,4 @@ switch_extruder_prime_speed = 15 switch_extruder_retraction_amount = 20 switch_extruder_retraction_speeds = 35 wall_0_inset = 0 - wall_thickness = 1.2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_PETG_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_PETG_Normal_Quality.inst.cfg index 5e02fba901..d81ae5f88e 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_PLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_PLA_Normal_Quality.inst.cfg index 3bd10a87b3..621d837b92 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_PP_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_PP_Normal_Quality.inst.cfg index a94843a385..07aa9462e1 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_PP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -17,12 +17,10 @@ brim_width = 10 cool_fan_speed_max = 100 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 2.5 - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' infill_wipe_dist = 0.1 jerk_enabled = True jerk_print = 25 - machine_min_cool_heat_time_window = 15 material_bed_temperature_layer_0 = =material_bed_temperature + 5 material_final_print_temperature = =material_print_temperature - 10 @@ -52,5 +50,4 @@ switch_extruder_retraction_speeds = 35 top_bottom_thickness = 1 travel_avoid_distance = 3 wall_0_inset = 0 - wall_thickness = =line_width * 3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.25_TPLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.25_TPLA_Normal_Quality.inst.cfg index dac1745c05..e4aa517abb 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.25_TPLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.25_TPLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 @@ -15,10 +15,8 @@ variant = AA 0.25 brim_width = 8 cool_fan_full_at_height = =layer_height_0 cool_min_speed = 7 - infill_overlap = =0 if infill_sparse_density > 80 else 10 infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'grid' - machine_nozzle_cool_down_speed = 0.9 machine_nozzle_heat_up_speed = 1.4 material_final_print_temperature = =max(-273.15, material_print_temperature - 15) diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print.inst.cfg index 92e4ca53ea..d6ef41abe1 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print.inst.cfg index 8b3af8702f..e5ed77862a 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_High_Quality.inst.cfg index 4d92585cdb..73d1ad25d4 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality.inst.cfg index 5d575bfc75..bb8f9c5bb9 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Draft_Print.inst.cfg index d2f89f64e9..04353d64f9 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Fast_Print.inst.cfg index 7c3421fc7d..c1bb6be22f 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Normal_Quality.inst.cfg index 15ee8ab3f3..3e70bcacaf 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_VeryDraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_VeryDraft_Print.inst.cfg new file mode 100644 index 0000000000..f4528b7fb8 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_BAM_VeryDraft_Print.inst.cfg @@ -0,0 +1,40 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -2 +material = generic_bam +variant = AA 0.4 +is_experimental = True + +[values] +brim_replaces_support = False +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =cool_fan_speed +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_print_temperature = =default_material_print_temperature + 5 +prime_tower_enable = =min(extruderValues('material_surface_energy')) < 100 +skin_overlap = 20 +speed_layer_0 = =math.ceil(speed_print * 20 / 70) +speed_topbottom = =math.ceil(speed_print * 35 / 70) +speed_wall = =math.ceil(speed_print * 50 / 70) +speed_wall_0 = =math.ceil(speed_wall * 35 / 50) +top_bottom_thickness = 1 +wall_thickness = 1 +support_brim_enable = True +support_interface_enable = True +support_interface_density = =min(extruderValues('material_surface_energy')) +support_interface_pattern = ='lines' if support_interface_density < 100 else 'concentric' +support_top_distance = 0.3 +support_bottom_distance = 0.3 +support_angle = 45 +support_join_distance = 5 +support_offset = 2 +support_pattern = triangles +support_infill_rate = =10 if support_enable and support_structure == 'normal' else 0 if support_enable and support_structure == 'tree' else 10 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Draft_Print.inst.cfg index db713524e3..f6927953d1 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print.inst.cfg index 7710a2372b..ffb22e619d 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_High_Quality.inst.cfg index 6313577880..262e6583a2 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality.inst.cfg index 8a757abeb5..a11519fb05 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPEP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Draft_Print.inst.cfg index d57409166b..6c1a3a45af 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print.inst.cfg index 71deb653ce..71c25958fa 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_High_Quality.inst.cfg index c69d139a06..9692faac22 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality.inst.cfg index 34f95b7595..5698375c63 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_CPE_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Draft_Print.inst.cfg index 67f2fe4a45..9a02eeede4 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print.inst.cfg index b8ab1712e9..01859d49a1 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_High_Quality.inst.cfg index 702ccd8fcd..c25a46ce20 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality.inst.cfg index 89be14ed90..321c369975 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_Nylon_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Draft_Print.inst.cfg index 82000b3140..2fdc113b3c 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print.inst.cfg index 8f7dd0a754..9adceaa9cd 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 @@ -18,7 +18,6 @@ cool_fan_full_at_height = =layer_height_0 + layer_height cool_fan_speed_max = 85 cool_min_layer_time_fan_speed_max = 5 cool_min_speed = 7 - infill_overlap_mm = =0 if infill_sparse_density > 80 else 0.05 infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' infill_wipe_dist = 0.1 @@ -57,5 +56,4 @@ switch_extruder_prime_speed = 15 switch_extruder_retraction_amount = 20 switch_extruder_retraction_speeds = 35 wall_0_inset = 0 - wall_thickness = 1.2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_High_Quality.inst.cfg index 5851979b1a..65364d955a 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality.inst.cfg index 79c79ef74a..e6adcfaf22 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PC_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Draft_Print.inst.cfg index 1c2a7e2718..2d39086d6f 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print.inst.cfg index d3ad0982b9..1b7838985e 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_High_Quality.inst.cfg index 0329f8ffe9..aa6c6cb3b1 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality.inst.cfg index efd9bf189d..28842615cf 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PETG_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print.inst.cfg index 19540fba2c..fcc7ce6278 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print.inst.cfg index 29ecfb903b..27df25d5d5 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_High_Quality.inst.cfg index 8abcd19440..9df48afa7b 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality.inst.cfg index b133cde125..b3d096ed71 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_VeryDraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_VeryDraft_Print.inst.cfg new file mode 100644 index 0000000000..96d88944a5 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PLA_VeryDraft_Print.inst.cfg @@ -0,0 +1,46 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -2 +material = generic_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 15 + +jerk_travel = 20 +acceleration_print = 2000 +acceleration_wall = 1500 +acceleration_wall_0 = 1000 +acceleration_topbottom = 1000 +acceleration_travel = 2000 + +speed_print = 50 +speed_wall = 50 + +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =cool_fan_speed + +material_print_temperature = =default_material_print_temperature + 10 +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_standby_temperature = 100 + +prime_tower_enable = False +skin_edge_support_thickness = =0.9 if infill_sparse_density < 30 else 0 +skin_overlap = 20 + +infill_line_width = =round(line_width * 0.42 / 0.35, 2) +wall_thickness = =line_width * 3 +top_bottom_thickness = 0.9 + +infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' + +raft_airgap = =0.25 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Draft_Print.inst.cfg index a130406172..3acfe41222 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Fast_Print.inst.cfg index 03d130e346..4f7e5c5860 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Normal_Quality.inst.cfg index 7e3676027c..b2b03b494d 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_PP_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print.inst.cfg index 6707be2e68..94be77a109 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print.inst.cfg index 414002f41c..e66b376515 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_High_Quality.inst.cfg index c7eaaad188..cb9e545007 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality.inst.cfg index 94e5f21630..405fd35825 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_VeryDraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_VeryDraft_Print.inst.cfg new file mode 100644 index 0000000000..e1383d3563 --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPLA_VeryDraft_Print.inst.cfg @@ -0,0 +1,46 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -2 +material = generic_tough_pla +variant = AA 0.4 +is_experimental = True + +[values] +infill_sparse_density = 15 + +jerk_travel = 20 +acceleration_print = 2000 +acceleration_wall = 1500 +acceleration_wall_0 = 1000 +acceleration_topbottom = 1000 +acceleration_travel = 2000 + +speed_print = 50 +speed_wall = 50 + +cool_fan_full_at_height = =layer_height_0 + 2 * layer_height +cool_fan_speed_max = =cool_fan_speed + +material_print_temperature = =default_material_print_temperature - 5 +machine_nozzle_cool_down_speed = 0.75 +machine_nozzle_heat_up_speed = 1.6 +material_standby_temperature = 100 + +prime_tower_enable = False +skin_edge_support_thickness = =0.9 if infill_sparse_density < 30 else 0 +skin_overlap = 20 + +infill_line_width = =round(line_width * 0.42 / 0.35, 2) +wall_thickness = =line_width * 3 +top_bottom_thickness = 1.2 + +infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'triangles' + +raft_airgap = =0.25 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Draft_Print.inst.cfg index 172df0a0d6..5c4734a32a 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Fast_Print.inst.cfg index 2586d6aba7..62c40c1b18 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Normal_Quality.inst.cfg index 315777badf..018b755036 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.4_TPU_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Draft_Print.inst.cfg index 5df2bcfb82..01d7e53670 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Superdraft_Print.inst.cfg index ebd187fc1b..96b7e79ad5 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Verydraft_Print.inst.cfg index b97ae609d3..d7a7a85eeb 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_ABS_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Fast_Print.inst.cfg index 347ffd48ac..36145680b5 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Superdraft_Print.inst.cfg index 0e6600bad9..d31ca4ffbe 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Verydraft_Print.inst.cfg index 7fe450be9b..5770d4057c 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPEP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Draft_Print.inst.cfg index 2d0ae892be..f7dbe85c00 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Superdraft_Print.inst.cfg index befcdb7b3a..07e19b9ca3 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Verydraft_Print.inst.cfg index b7ab4be733..350c99833c 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_CPE_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Draft_Print.inst.cfg index 4b1705c084..467eec435c 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Superdraft_Print.inst.cfg index 02d87b8600..4d307200d4 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Verydraft_Print.inst.cfg index a7180a4f9b..de5699b976 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_Nylon_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Fast_Print.inst.cfg index a2ea24662b..57d0f13aca 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Superdraft_Print.inst.cfg index 539f732dfd..1ee17fd498 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Verydraft_Print.inst.cfg index 8a1eb6519b..be23988e50 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PC_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast - Experimental definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Draft_Print.inst.cfg index ad368149c8..762b2ebca8 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Superdraft_Print.inst.cfg index ba091c8b17..855a5ae292 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Verydraft_Print.inst.cfg index 59c97e5b76..8b688debf0 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PETG_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Draft_Print.inst.cfg index dad634521b..495f18dc4a 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Superdraft_Print.inst.cfg index 60964f7210..814c7a2b5e 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Verydraft_Print.inst.cfg index 240a8108f7..bf341d3bf0 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Draft_Print.inst.cfg index caac80af08..2042e29518 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 @@ -16,8 +16,6 @@ brim_width = 25 cool_min_layer_time_fan_speed_max = 6 cool_min_speed = 17 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' material_bed_temperature_layer_0 = =material_bed_temperature material_print_temperature = =default_material_print_temperature - 2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Superdraft_Print.inst.cfg index 6a4706cd8a..f0b09c333d 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 @@ -16,8 +16,6 @@ brim_width = 25 cool_min_layer_time_fan_speed_max = 6 cool_min_speed = 17 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' material_bed_temperature_layer_0 = =material_bed_temperature material_print_temperature = =default_material_print_temperature + 2 @@ -41,5 +39,4 @@ switch_extruder_retraction_amount = 20 switch_extruder_retraction_speeds = 45 top_bottom_thickness = 1.6 wall_0_wipe_dist = =line_width * 2 - wall_thickness = 1.6 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Verydraft_Print.inst.cfg index 6e117c3fa3..9cb6b43d70 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_PP_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 @@ -16,8 +16,6 @@ brim_width = 25 cool_min_layer_time_fan_speed_max = 6 cool_min_speed = 17 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'tetrahedral' material_bed_temperature_layer_0 = =material_bed_temperature material_print_temperature_layer_0 = =default_material_print_temperature + 2 @@ -40,5 +38,4 @@ switch_extruder_retraction_amount = 20 switch_extruder_retraction_speeds = 45 top_bottom_thickness = 1.6 wall_0_wipe_dist = =line_width * 2 - wall_thickness = 1.6 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Draft_Print.inst.cfg index 761e216305..6f02b91def 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Superdraft_Print.inst.cfg index 283504f7fd..818e9130e5 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Verydraft_Print.inst.cfg index d443f3132e..b5d32d020c 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPLA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Draft_Print.inst.cfg index 0fb63c2f0f..d89919328e 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 @@ -15,8 +15,6 @@ variant = AA 0.8 brim_width = 8.75 cool_min_layer_time_fan_speed_max = 6 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'cross_3d' machine_nozzle_cool_down_speed = 0.5 machine_nozzle_heat_up_speed = 2.5 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Superdraft_Print.inst.cfg index 1f7be34d0a..a400721d90 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 @@ -15,8 +15,6 @@ variant = AA 0.8 brim_width = 8.75 cool_min_layer_time_fan_speed_max = 6 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'cross_3d' infill_sparse_density = 10 machine_nozzle_cool_down_speed = 0.5 diff --git a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Verydraft_Print.inst.cfg index 1734769099..19842185fe 100644 --- a/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_aa0.8_TPU_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 @@ -15,8 +15,6 @@ variant = AA 0.8 brim_width = 8.75 cool_min_layer_time_fan_speed_max = 6 top_skin_expand_distance = =line_width * 2 - - infill_pattern = ='zigzag' if infill_sparse_density > 80 else 'cross_3d' infill_sparse_density = 10 machine_nozzle_cool_down_speed = 0.5 @@ -49,6 +47,5 @@ switch_extruder_retraction_speeds = 45 top_bottom_thickness = 1.2 travel_avoid_distance = 1.5 wall_0_wipe_dist = =line_width * 2 - wall_thickness = 1.3 jerk_travel = 50 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Draft_Print.inst.cfg index 39644f1ecd..5f6991ba3a 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Fast_Print.inst.cfg index 54b7ca62ff..e06ff12762 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_High_Quality.inst.cfg index 4751ef1a19..e29b8a9d32 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Normal_Quality.inst.cfg index f85a0e1474..7f096281d0 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Verydraft_Print.inst.cfg new file mode 100644 index 0000000000..50342bae4c --- /dev/null +++ b/resources/quality/ultimaker_s5/um_s5_bb0.4_PVA_Verydraft_Print.inst.cfg @@ -0,0 +1,20 @@ +[general] +version = 4 +name = Extra Fast +definition = ultimaker_s5 + +[metadata] +setting_version = 19 +type = quality +quality_type = verydraft +weight = -3 +material = generic_pva +variant = BB 0.4 +is_experimental = True + +[values] +brim_replaces_support = False +material_standby_temperature = 100 +support_brim_enable = True +support_infill_sparse_thickness = 0.3 +support_interface_height = 1.2 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Draft_Print.inst.cfg index c002c4711b..d578d4fd70 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Superdraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Superdraft_Print.inst.cfg index 9654504dd7..5c8039eed6 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Superdraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Superdraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Verydraft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Verydraft_Print.inst.cfg index c36f92df86..e10ad8cfdf 100644 --- a/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Verydraft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_bb0.8_PVA_Verydraft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Draft_Print.inst.cfg index 9125145dae..d685b0686e 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Fast_Print.inst.cfg index bfc159f656..1d096fdfd2 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFCPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Draft_Print.inst.cfg index 503980d76e..e55f7b8e62 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Fast_Print.inst.cfg index 9216994d0a..2aac3f8e40 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_CFFPA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Draft_Print.inst.cfg index fc07c21439..b84b684382 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Fast_Print.inst.cfg index b79484e54a..3244681911 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFCPE_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Draft_Print.inst.cfg index 8d6b4ee796..6002ab3ac8 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Fast_Print.inst.cfg index b95351cde0..eb9a93ef15 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_GFFPA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Draft_Print.inst.cfg index 705b785d38..a9cef5ca36 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Fast_Print.inst.cfg index 866a348591..e8a37bb6fc 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.4_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFCPE_Draft_Print.inst.cfg index 2a69cd445c..df034335ef 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFPA_Draft_Print.inst.cfg index d754d2e6a0..299ba1eb95 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.6_CFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFCPE_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFCPE_Draft_Print.inst.cfg index fb68f5abc7..d4a52ed87e 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFCPE_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFCPE_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFPA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFPA_Draft_Print.inst.cfg index c32e8d446d..2e7f7b3eb7 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFPA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.6_GFFPA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Draft_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Draft_Print.inst.cfg index 542ae63881..9052dfee7d 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Draft_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Draft_Print.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -3 diff --git a/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Fast_Print.inst.cfg b/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Fast_Print.inst.cfg index 807d873b13..fd41d88a76 100644 --- a/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Fast_Print.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_cc0.6_PLA_Fast_Print.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_global_Draft_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_global_Draft_Quality.inst.cfg index dfbcb47e3d..1434c8e0f8 100644 --- a/resources/quality/ultimaker_s5/um_s5_global_Draft_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_global_Draft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/ultimaker_s5/um_s5_global_Fast_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_global_Fast_Quality.inst.cfg index e25de8d97d..271449a4f9 100644 --- a/resources/quality/ultimaker_s5/um_s5_global_Fast_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_global_Fast_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -1 diff --git a/resources/quality/ultimaker_s5/um_s5_global_High_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_global_High_Quality.inst.cfg index 4d2370bb70..51cc431a2b 100644 --- a/resources/quality/ultimaker_s5/um_s5_global_High_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/ultimaker_s5/um_s5_global_Normal_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_global_Normal_Quality.inst.cfg index b8f4f314b2..b4a162ce06 100644 --- a/resources/quality/ultimaker_s5/um_s5_global_Normal_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/ultimaker_s5/um_s5_global_Superdraft_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_global_Superdraft_Quality.inst.cfg index 58a8d15385..80843b96f6 100644 --- a/resources/quality/ultimaker_s5/um_s5_global_Superdraft_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_global_Superdraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = superdraft weight = -4 diff --git a/resources/quality/ultimaker_s5/um_s5_global_Verydraft_Quality.inst.cfg b/resources/quality/ultimaker_s5/um_s5_global_Verydraft_Quality.inst.cfg index 3a74ef5c07..d5a0727e4c 100644 --- a/resources/quality/ultimaker_s5/um_s5_global_Verydraft_Quality.inst.cfg +++ b/resources/quality/ultimaker_s5/um_s5_global_Verydraft_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = verydraft weight = -3 diff --git a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.10.inst.cfg index 7df8468c79..9c9c186169 100644 --- a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.30_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.15.inst.cfg index 3da200fa18..4e066623c7 100644 --- a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.30_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.20.inst.cfg index f7ffd49128..cd806299f1 100644 --- a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.30_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.25.inst.cfg index e453bc9e86..e0cf6cb961 100644 --- a/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.30/abs_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.30_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.10.inst.cfg index 9ceb6929aa..c3b471df01 100644 --- a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.40_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.15.inst.cfg index 6f93ae037e..2a468214f9 100644 --- a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.40_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.20.inst.cfg index 338c5386a7..4a51b4ddc4 100644 --- a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.40_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.25.inst.cfg index 7f0e269107..e46fcf19f4 100644 --- a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.40_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.30.inst.cfg index cff71a6ff3..20952f3808 100644 --- a/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.40/abs_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.40_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.15.inst.cfg index 55b24b4911..cf7eb644ee 100644 --- a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.50_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.20.inst.cfg index e195b10968..a2be6b725a 100644 --- a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.50_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.25.inst.cfg index 21a1dfc4b2..f3a322e915 100644 --- a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.50_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.30.inst.cfg index aaaddcbd30..bc5f9b0a11 100644 --- a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.50_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_abs diff --git a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.35.inst.cfg index fc32260005..12404fb87f 100644 --- a/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/uni_base/abs/nozzle_0.50/abs_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = abs_n0.50_l0.35 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q035 material = generic_abs diff --git a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.10.inst.cfg index c5f63b87c1..05fa89bc16 100644 --- a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.30_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.15.inst.cfg index 68c14352b4..97d0c94c02 100644 --- a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.30_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.20.inst.cfg index f0b213dd8d..debb99b601 100644 --- a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.30_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.25.inst.cfg index 3e980a681c..0a04af4317 100644 --- a/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.30/hips_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.30_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.10.inst.cfg index 510db7a759..877ff27fa0 100644 --- a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.40_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.15.inst.cfg index e4a4aea8b5..99d5e9f85d 100644 --- a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.40_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.20.inst.cfg index 796bf787b2..e3c5f497fa 100644 --- a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.40_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.25.inst.cfg index f898c3046d..b6b7b99c8f 100644 --- a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.40_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_abs diff --git a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.30.inst.cfg index ff9b3c10a8..b534f259a2 100644 --- a/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.40/hips_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.40_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.15.inst.cfg index b61da61969..b20e518ee7 100644 --- a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.50_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.20.inst.cfg index bb4a5cacbf..1278356c67 100644 --- a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.50_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.25.inst.cfg index c8b548c10a..0c5d125066 100644 --- a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.50_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.30.inst.cfg index f4944c1d5c..598004a3ec 100644 --- a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.50_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_hips diff --git a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.35.inst.cfg index ad08c47b98..08bfae18c1 100644 --- a/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/uni_base/hips/nozzle_0.50/hips_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = hips_n0.50_l0.35 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q035 material = generic_hips diff --git a/resources/quality/uni_base/layer_0.05.inst.cfg b/resources/quality/uni_base/layer_0.05.inst.cfg index 55d52a72d0..cc2a1af232 100644 --- a/resources/quality/uni_base/layer_0.05.inst.cfg +++ b/resources/quality/uni_base/layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q005 weight = -1 diff --git a/resources/quality/uni_base/layer_0.10.inst.cfg b/resources/quality/uni_base/layer_0.10.inst.cfg index ea6853f83b..2e81305a98 100644 --- a/resources/quality/uni_base/layer_0.10.inst.cfg +++ b/resources/quality/uni_base/layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 weight = -2 diff --git a/resources/quality/uni_base/layer_0.15.inst.cfg b/resources/quality/uni_base/layer_0.15.inst.cfg index 67a0fa8091..01bc59f87b 100644 --- a/resources/quality/uni_base/layer_0.15.inst.cfg +++ b/resources/quality/uni_base/layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = Fast Super Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 weight = -3 diff --git a/resources/quality/uni_base/layer_0.20.inst.cfg b/resources/quality/uni_base/layer_0.20.inst.cfg index ab053b8944..1b96eaf8ff 100644 --- a/resources/quality/uni_base/layer_0.20.inst.cfg +++ b/resources/quality/uni_base/layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 weight = -4 diff --git a/resources/quality/uni_base/layer_0.25.inst.cfg b/resources/quality/uni_base/layer_0.25.inst.cfg index 3e7537ec65..89bab0c8b9 100644 --- a/resources/quality/uni_base/layer_0.25.inst.cfg +++ b/resources/quality/uni_base/layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = Fast Standard Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 weight = -5 diff --git a/resources/quality/uni_base/layer_0.30.inst.cfg b/resources/quality/uni_base/layer_0.30.inst.cfg index c48847d08e..aa1dc669c4 100644 --- a/resources/quality/uni_base/layer_0.30.inst.cfg +++ b/resources/quality/uni_base/layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = Fast Print Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 weight = -6 diff --git a/resources/quality/uni_base/layer_0.35.inst.cfg b/resources/quality/uni_base/layer_0.35.inst.cfg index 3b2d0beffb..74cd00a912 100644 --- a/resources/quality/uni_base/layer_0.35.inst.cfg +++ b/resources/quality/uni_base/layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q035 weight = -7 diff --git a/resources/quality/uni_base/layer_0.40.inst.cfg b/resources/quality/uni_base/layer_0.40.inst.cfg index fea7787b83..6cd10c48f7 100644 --- a/resources/quality/uni_base/layer_0.40.inst.cfg +++ b/resources/quality/uni_base/layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = Poor Draft Quality definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q040 weight = -8 diff --git a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.10.inst.cfg index 790d9a8e22..9858a1d791 100644 --- a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.30_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.15.inst.cfg index 791d125d12..267a966f10 100644 --- a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.30_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.20.inst.cfg index 69e70792b9..151349ce49 100644 --- a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.30_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.25.inst.cfg index 5a3666a47f..9dd7091fc8 100644 --- a/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.30/petg_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.30_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.10.inst.cfg index 5c1ca36fbd..a38870ea0d 100644 --- a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.40_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.15.inst.cfg index 1286e76d77..261996701b 100644 --- a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.40_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.20.inst.cfg index 9d3cd7e550..9d3966c132 100644 --- a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.40_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.25.inst.cfg index 62c4185ac1..7efecb7ed3 100644 --- a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.40_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.30.inst.cfg index a29def1c58..d0f8b8c022 100644 --- a/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.40/petg_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.40_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.15.inst.cfg index f8ae3c9a0e..e48525567e 100644 --- a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.50_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.20.inst.cfg index 0461275a17..476d284146 100644 --- a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.50_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.25.inst.cfg index 6f24cf9048..dc46b21841 100644 --- a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.50_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.30.inst.cfg index 0342f2bf87..044f68456a 100644 --- a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.50_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_petg diff --git a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.35.inst.cfg index 2aa9984895..68df5033ce 100644 --- a/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/uni_base/petg/nozzle_0.50/petg_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = petg_n0.50_l0.35 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q035 material = generic_petg diff --git a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.10.inst.cfg index 4d5ccfc489..20115e1816 100644 --- a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.30_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.15.inst.cfg index deaf548ee1..4b8ab84479 100644 --- a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.30_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.20.inst.cfg index c26cd64ce2..74cd8ba804 100644 --- a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.30_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.25.inst.cfg index 0b8786a11a..beefc17e71 100644 --- a/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.30/pla_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.30_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.10.inst.cfg index d83b6aa631..f51bf68c55 100644 --- a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.40_l0.10 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q010 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.15.inst.cfg index 13fd887426..b10faa6d61 100644 --- a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.40_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.20.inst.cfg index 98eb9e3190..1edc763cd7 100644 --- a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.40_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.25.inst.cfg index dc04ca7c36..dbed663672 100644 --- a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.40_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.30.inst.cfg index 0a65c4924e..f438c48700 100644 --- a/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.40/pla_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.40_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.15.inst.cfg index 8a081847c3..491ea791bf 100644 --- a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.50_l0.15 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q015 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.20.inst.cfg index 3c50c0e858..25f2e9ab9b 100644 --- a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.50_l0.20 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q020 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.25.inst.cfg index 38d792a384..e70aed5e0f 100644 --- a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.50_l0.25 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q025 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.30.inst.cfg index f579d81c6f..367df338a8 100644 --- a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.50_l0.30 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q030 material = generic_pla diff --git a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.35.inst.cfg index 398328fef5..e75d099279 100644 --- a/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/uni_base/pla/nozzle_0.50/pla_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = pla_n0.50_l0.35 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = q035 material = generic_pla diff --git a/resources/quality/vertex_delta_k8800/k8800_ABS_Extreme_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_ABS_Extreme_Quality.inst.cfg index 9525af9037..cedb17f5f2 100644 --- a/resources/quality/vertex_delta_k8800/k8800_ABS_Extreme_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_ABS_Extreme_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extreme definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extreme weight = 2 diff --git a/resources/quality/vertex_delta_k8800/k8800_ABS_High_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_ABS_High_Quality.inst.cfg index d2be297a8e..803ada4ddc 100644 --- a/resources/quality/vertex_delta_k8800/k8800_ABS_High_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_ABS_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/vertex_delta_k8800/k8800_ABS_Normal_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_ABS_Normal_Quality.inst.cfg index 9cd4a6b8ae..d4b52edae1 100644 --- a/resources/quality/vertex_delta_k8800/k8800_ABS_Normal_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_ABS_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/vertex_delta_k8800/k8800_Global_Extreme_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_Global_Extreme_Quality.inst.cfg index 3676fd3dd0..143d6e7ea7 100644 --- a/resources/quality/vertex_delta_k8800/k8800_Global_Extreme_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_Global_Extreme_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extreme definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extreme weight = 2 diff --git a/resources/quality/vertex_delta_k8800/k8800_Global_High_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_Global_High_Quality.inst.cfg index 42fe183d6d..35279a4b6d 100644 --- a/resources/quality/vertex_delta_k8800/k8800_Global_High_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_Global_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/vertex_delta_k8800/k8800_Global_Normal_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_Global_Normal_Quality.inst.cfg index fd93544d53..4f2063b4e5 100644 --- a/resources/quality/vertex_delta_k8800/k8800_Global_Normal_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_Global_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/vertex_delta_k8800/k8800_PET_Extreme_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_PET_Extreme_Quality.inst.cfg index 6d1a091579..095c52a0e0 100644 --- a/resources/quality/vertex_delta_k8800/k8800_PET_Extreme_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_PET_Extreme_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extreme definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extreme weight = 2 diff --git a/resources/quality/vertex_delta_k8800/k8800_PET_High_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_PET_High_Quality.inst.cfg index 62b94795b4..f5cb53ca37 100644 --- a/resources/quality/vertex_delta_k8800/k8800_PET_High_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_PET_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/vertex_delta_k8800/k8800_PET_Normal_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_PET_Normal_Quality.inst.cfg index bde1d52b57..d6abd345f1 100644 --- a/resources/quality/vertex_delta_k8800/k8800_PET_Normal_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_PET_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/vertex_delta_k8800/k8800_PLA_Extreme_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_PLA_Extreme_Quality.inst.cfg index 1df078a66c..63181c6780 100644 --- a/resources/quality/vertex_delta_k8800/k8800_PLA_Extreme_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_PLA_Extreme_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extreme definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extreme weight = 2 diff --git a/resources/quality/vertex_delta_k8800/k8800_PLA_High_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_PLA_High_Quality.inst.cfg index 1dd0fac57e..ae4e2b1207 100644 --- a/resources/quality/vertex_delta_k8800/k8800_PLA_High_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_PLA_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/vertex_delta_k8800/k8800_PLA_Normal_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_PLA_Normal_Quality.inst.cfg index a1bfdcd60c..065c1f8f13 100644 --- a/resources/quality/vertex_delta_k8800/k8800_PLA_Normal_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_PLA_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/vertex_delta_k8800/k8800_TPU_Extreme_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_TPU_Extreme_Quality.inst.cfg index 8b312d6633..7d242c934d 100644 --- a/resources/quality/vertex_delta_k8800/k8800_TPU_Extreme_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_TPU_Extreme_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Extreme definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extreme weight = 2 diff --git a/resources/quality/vertex_delta_k8800/k8800_TPU_High_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_TPU_High_Quality.inst.cfg index c25438121c..7d9a49cdfe 100644 --- a/resources/quality/vertex_delta_k8800/k8800_TPU_High_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_TPU_High_Quality.inst.cfg @@ -4,7 +4,7 @@ name = High definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = 1 diff --git a/resources/quality/vertex_delta_k8800/k8800_TPU_Normal_Quality.inst.cfg b/resources/quality/vertex_delta_k8800/k8800_TPU_Normal_Quality.inst.cfg index aa99e95add..706a6982aa 100644 --- a/resources/quality/vertex_delta_k8800/k8800_TPU_Normal_Quality.inst.cfg +++ b/resources/quality/vertex_delta_k8800/k8800_TPU_Normal_Quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = vertex_delta_k8800 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/volumic/sh65_coarse.inst.cfg b/resources/quality/volumic/sh65_coarse.inst.cfg new file mode 100644 index 0000000000..fce43507b7 --- /dev/null +++ b/resources/quality/volumic/sh65_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = sh65 + +[metadata] +setting_version = 19 +type = quality +quality_type = coarse +weight = -1 +global_quality = True + +[values] +layer_height = 0.250 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/sh65_draft.inst.cfg b/resources/quality/volumic/sh65_draft.inst.cfg new file mode 100644 index 0000000000..b1b84cbefa --- /dev/null +++ b/resources/quality/volumic/sh65_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = sh65 + +[metadata] +setting_version = 19 +type = quality +quality_type = draft +weight = -2 +global_quality = True + +[values] +layer_height = 0.2 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/sh65_extra_coarse.inst.cfg b/resources/quality/volumic/sh65_extra_coarse.inst.cfg new file mode 100644 index 0000000000..bcb19d612f --- /dev/null +++ b/resources/quality/volumic/sh65_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = sh65 + +[metadata] +setting_version = 19 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.3 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/sh65_fast.inst.cfg b/resources/quality/volumic/sh65_fast.inst.cfg new file mode 100644 index 0000000000..01bf626ad8 --- /dev/null +++ b/resources/quality/volumic/sh65_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = sh65 + +[metadata] +setting_version = 19 +type = quality +quality_type = fast +weight = -3 +global_quality = True + +[values] +layer_height = 0.15 +top_bottom_thickness = 1.05 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/sh65_high.inst.cfg b/resources/quality/volumic/sh65_high.inst.cfg new file mode 100644 index 0000000000..549cfb69a7 --- /dev/null +++ b/resources/quality/volumic/sh65_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = sh65 + +[metadata] +setting_version = 19 +type = quality +quality_type = high +weight = -5 +global_quality = True + +[values] +layer_height = 0.05 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/sh65_normal.inst.cfg b/resources/quality/volumic/sh65_normal.inst.cfg new file mode 100644 index 0000000000..5f60e22c9b --- /dev/null +++ b/resources/quality/volumic/sh65_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = sh65 + +[metadata] +setting_version = 19 +type = quality +quality_type = normal +weight = -4 +global_quality = True + +[values] +layer_height = 0.1 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg b/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg index 7ac317e234..c129e4ce51 100644 --- a/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg +++ b/resources/quality/volumic/stream20dual_mk2_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = stream20dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg b/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg index d1916150df..ce38b4ce45 100644 --- a/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg +++ b/resources/quality/volumic/stream20dual_mk2_draft.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = stream20dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg index 1057cd10b0..ad6d66a5b0 100644 --- a/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg +++ b/resources/quality/volumic/stream20dual_mk2_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Very low definition = stream20dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg b/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg index 7309e2abf7..aa8a50d203 100644 --- a/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg +++ b/resources/quality/volumic/stream20dual_mk2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = stream20dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -3 diff --git a/resources/quality/volumic/stream20dual_mk2_high.inst.cfg b/resources/quality/volumic/stream20dual_mk2_high.inst.cfg index 4ffe487891..f7f1d5d914 100644 --- a/resources/quality/volumic/stream20dual_mk2_high.inst.cfg +++ b/resources/quality/volumic/stream20dual_mk2_high.inst.cfg @@ -4,7 +4,7 @@ name = Very high definition = stream20dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -5 diff --git a/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg b/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg index d0636d3bfa..7e0e08b1b2 100644 --- a/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg +++ b/resources/quality/volumic/stream20dual_mk2_normal.inst.cfg @@ -4,7 +4,7 @@ name = High definition = stream20dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -4 diff --git a/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg b/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg index fed4943bcc..838e7422d5 100644 --- a/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg +++ b/resources/quality/volumic/stream20pro_mk2_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = stream20pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg b/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg index 94ec0b89be..78471bbec9 100644 --- a/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg +++ b/resources/quality/volumic/stream20pro_mk2_draft.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = stream20pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg index 5efcf4acd1..a08830fe4f 100644 --- a/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg +++ b/resources/quality/volumic/stream20pro_mk2_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Very low definition = stream20pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg b/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg index bff254db4a..2b5e3344a6 100644 --- a/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg +++ b/resources/quality/volumic/stream20pro_mk2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = stream20pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -3 diff --git a/resources/quality/volumic/stream20pro_mk2_high.inst.cfg b/resources/quality/volumic/stream20pro_mk2_high.inst.cfg index 968183f371..f5edfafcd9 100644 --- a/resources/quality/volumic/stream20pro_mk2_high.inst.cfg +++ b/resources/quality/volumic/stream20pro_mk2_high.inst.cfg @@ -4,7 +4,7 @@ name = Very high definition = stream20pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -5 diff --git a/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg b/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg index bd7e41e52d..da5d3f3c99 100644 --- a/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg +++ b/resources/quality/volumic/stream20pro_mk2_normal.inst.cfg @@ -4,7 +4,7 @@ name = High definition = stream20pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -4 diff --git a/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg b/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg index e1764fc776..8d74321295 100644 --- a/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg +++ b/resources/quality/volumic/stream30dual_mk2_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = stream30dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg b/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg index ab0d34f223..ee8a8805ff 100644 --- a/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg +++ b/resources/quality/volumic/stream30dual_mk2_draft.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = stream30dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg index e4a5e7c8cb..f2e9ecf30b 100644 --- a/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg +++ b/resources/quality/volumic/stream30dual_mk2_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Very low definition = stream30dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg b/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg index 48ff852dcf..c2122ccad7 100644 --- a/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg +++ b/resources/quality/volumic/stream30dual_mk2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = stream30dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -3 diff --git a/resources/quality/volumic/stream30dual_mk2_high.inst.cfg b/resources/quality/volumic/stream30dual_mk2_high.inst.cfg index 42d5f2eba3..969bd639a3 100644 --- a/resources/quality/volumic/stream30dual_mk2_high.inst.cfg +++ b/resources/quality/volumic/stream30dual_mk2_high.inst.cfg @@ -4,7 +4,7 @@ name = Very high definition = stream30dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -5 diff --git a/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg b/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg index 7e6cb702bd..6f83ad6126 100644 --- a/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg +++ b/resources/quality/volumic/stream30dual_mk2_normal.inst.cfg @@ -4,7 +4,7 @@ name = High definition = stream30dual_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -4 diff --git a/resources/quality/volumic/stream30mk3_coarse.inst.cfg b/resources/quality/volumic/stream30mk3_coarse.inst.cfg new file mode 100644 index 0000000000..6ce36779bd --- /dev/null +++ b/resources/quality/volumic/stream30mk3_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream30mk3 + +[metadata] +setting_version = 19 +type = quality +quality_type = coarse +weight = -1 +global_quality = True + +[values] +layer_height = 0.250 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30mk3_draft.inst.cfg b/resources/quality/volumic/stream30mk3_draft.inst.cfg new file mode 100644 index 0000000000..67ae9158a3 --- /dev/null +++ b/resources/quality/volumic/stream30mk3_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream30mk3 + +[metadata] +setting_version = 19 +type = quality +quality_type = draft +weight = -2 +global_quality = True + +[values] +layer_height = 0.2 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30mk3_extra_coarse.inst.cfg b/resources/quality/volumic/stream30mk3_extra_coarse.inst.cfg new file mode 100644 index 0000000000..8f8d8ce76f --- /dev/null +++ b/resources/quality/volumic/stream30mk3_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream30mk3 + +[metadata] +setting_version = 19 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.3 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30mk3_fast.inst.cfg b/resources/quality/volumic/stream30mk3_fast.inst.cfg new file mode 100644 index 0000000000..48e8e9be5e --- /dev/null +++ b/resources/quality/volumic/stream30mk3_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream30mk3 + +[metadata] +setting_version = 19 +type = quality +quality_type = fast +weight = -3 +global_quality = True + +[values] +layer_height = 0.15 +top_bottom_thickness = 1.05 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30mk3_high.inst.cfg b/resources/quality/volumic/stream30mk3_high.inst.cfg new file mode 100644 index 0000000000..0520548d1d --- /dev/null +++ b/resources/quality/volumic/stream30mk3_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream30mk3 + +[metadata] +setting_version = 19 +type = quality +quality_type = high +weight = -5 +global_quality = True + +[values] +layer_height = 0.05 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30mk3_normal.inst.cfg b/resources/quality/volumic/stream30mk3_normal.inst.cfg new file mode 100644 index 0000000000..cb1a89bf3f --- /dev/null +++ b/resources/quality/volumic/stream30mk3_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream30mk3 + +[metadata] +setting_version = 19 +type = quality +quality_type = normal +weight = -4 +global_quality = True + +[values] +layer_height = 0.1 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30pro_mk2_coarse.inst.cfg b/resources/quality/volumic/stream30pro_mk2_coarse.inst.cfg index 558bdcc830..0c6f4ed1c0 100644 --- a/resources/quality/volumic/stream30pro_mk2_coarse.inst.cfg +++ b/resources/quality/volumic/stream30pro_mk2_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = stream30pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg b/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg index d90697b47f..202b65ba5d 100644 --- a/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg +++ b/resources/quality/volumic/stream30pro_mk2_draft.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = stream30pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg b/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg index 0fde4c82a8..e54c445006 100644 --- a/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg +++ b/resources/quality/volumic/stream30pro_mk2_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Very low definition = stream30pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg b/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg index 1d4c146a11..a2904d0619 100644 --- a/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg +++ b/resources/quality/volumic/stream30pro_mk2_fast.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = stream30pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -3 diff --git a/resources/quality/volumic/stream30pro_mk2_high.inst.cfg b/resources/quality/volumic/stream30pro_mk2_high.inst.cfg index d5b7d5ddfc..cda8d7873e 100644 --- a/resources/quality/volumic/stream30pro_mk2_high.inst.cfg +++ b/resources/quality/volumic/stream30pro_mk2_high.inst.cfg @@ -4,7 +4,7 @@ name = Very high definition = stream30pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -5 diff --git a/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg b/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg index f1aa9980e0..999e8eef38 100644 --- a/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg +++ b/resources/quality/volumic/stream30pro_mk2_normal.inst.cfg @@ -4,7 +4,7 @@ name = High definition = stream30pro_mk2 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -4 diff --git a/resources/quality/volumic/stream30ultra_coarse.inst.cfg b/resources/quality/volumic/stream30ultra_coarse.inst.cfg index 7451c44033..a2d7820a77 100644 --- a/resources/quality/volumic/stream30ultra_coarse.inst.cfg +++ b/resources/quality/volumic/stream30ultra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = stream30ultra [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/volumic/stream30ultra_draft.inst.cfg b/resources/quality/volumic/stream30ultra_draft.inst.cfg index 4978a5c4bb..7935912af8 100644 --- a/resources/quality/volumic/stream30ultra_draft.inst.cfg +++ b/resources/quality/volumic/stream30ultra_draft.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = stream30ultra [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/volumic/stream30ultra_extra_coarse.inst.cfg b/resources/quality/volumic/stream30ultra_extra_coarse.inst.cfg index 09b3c9f16c..f8c575e5d6 100644 --- a/resources/quality/volumic/stream30ultra_extra_coarse.inst.cfg +++ b/resources/quality/volumic/stream30ultra_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Very low definition = stream30ultra [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/volumic/stream30ultra_fast.inst.cfg b/resources/quality/volumic/stream30ultra_fast.inst.cfg index 467a491aa4..b8ab5f1be7 100644 --- a/resources/quality/volumic/stream30ultra_fast.inst.cfg +++ b/resources/quality/volumic/stream30ultra_fast.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = stream30ultra [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -3 diff --git a/resources/quality/volumic/stream30ultra_high.inst.cfg b/resources/quality/volumic/stream30ultra_high.inst.cfg index 364a66681e..8907b9696a 100644 --- a/resources/quality/volumic/stream30ultra_high.inst.cfg +++ b/resources/quality/volumic/stream30ultra_high.inst.cfg @@ -4,7 +4,7 @@ name = Very high definition = stream30ultra [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -5 diff --git a/resources/quality/volumic/stream30ultra_normal.inst.cfg b/resources/quality/volumic/stream30ultra_normal.inst.cfg index 28292234ac..e6f0c5246c 100644 --- a/resources/quality/volumic/stream30ultra_normal.inst.cfg +++ b/resources/quality/volumic/stream30ultra_normal.inst.cfg @@ -4,7 +4,7 @@ name = High definition = stream30ultra [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -4 diff --git a/resources/quality/volumic/stream30ultrasc2_coarse.inst.cfg b/resources/quality/volumic/stream30ultrasc2_coarse.inst.cfg new file mode 100644 index 0000000000..caf13670bb --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc2_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Low +definition = stream30ultrasc2 + +[metadata] +setting_version = 19 +type = quality +quality_type = coarse +weight = -1 +global_quality = True + +[values] +layer_height = 0.250 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultrasc2_draft.inst.cfg b/resources/quality/volumic/stream30ultrasc2_draft.inst.cfg new file mode 100644 index 0000000000..0f830c37e3 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc2_draft.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Standard +definition = stream30ultrasc2 + +[metadata] +setting_version = 19 +type = quality +quality_type = draft +weight = -2 +global_quality = True + +[values] +layer_height = 0.2 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultrasc2_extra_coarse.inst.cfg b/resources/quality/volumic/stream30ultrasc2_extra_coarse.inst.cfg new file mode 100644 index 0000000000..2768dd8154 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc2_extra_coarse.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very low +definition = stream30ultrasc2 + +[metadata] +setting_version = 19 +type = quality +quality_type = extra coarse +weight = 0 +global_quality = True + +[values] +layer_height = 0.3 +top_bottom_thickness = 1.1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultrasc2_fast.inst.cfg b/resources/quality/volumic/stream30ultrasc2_fast.inst.cfg new file mode 100644 index 0000000000..a0509980ba --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc2_fast.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Medium +definition = stream30ultrasc2 + +[metadata] +setting_version = 19 +type = quality +quality_type = fast +weight = -3 +global_quality = True + +[values] +layer_height = 0.15 +top_bottom_thickness = 1.05 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultrasc2_high.inst.cfg b/resources/quality/volumic/stream30ultrasc2_high.inst.cfg new file mode 100644 index 0000000000..6716a4edd0 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc2_high.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = Very high +definition = stream30ultrasc2 + +[metadata] +setting_version = 19 +type = quality +quality_type = high +weight = -5 +global_quality = True + +[values] +layer_height = 0.05 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultrasc2_normal.inst.cfg b/resources/quality/volumic/stream30ultrasc2_normal.inst.cfg new file mode 100644 index 0000000000..1e40ec60b4 --- /dev/null +++ b/resources/quality/volumic/stream30ultrasc2_normal.inst.cfg @@ -0,0 +1,26 @@ +[general] +version = 4 +name = High +definition = stream30ultrasc2 + +[metadata] +setting_version = 19 +type = quality +quality_type = normal +weight = -4 +global_quality = True + +[values] +layer_height = 0.1 +top_bottom_thickness = 1 +wall_thickness = 1.2 +line_width = 0.4 +travel_avoid_distance = 1 +speed_infill = 100 +speed_layer_0 = 40 +speed_print = 100 +speed_topbottom = 80 +speed_travel = 140 +speed_wall = 40 +speed_wall_0 = 40 +speed_wall_x = 60 \ No newline at end of file diff --git a/resources/quality/volumic/stream30ultrasc_coarse.inst.cfg b/resources/quality/volumic/stream30ultrasc_coarse.inst.cfg index 691c2b8095..6a795cd2fd 100644 --- a/resources/quality/volumic/stream30ultrasc_coarse.inst.cfg +++ b/resources/quality/volumic/stream30ultrasc_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Low definition = stream30ultrasc [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/volumic/stream30ultrasc_draft.inst.cfg b/resources/quality/volumic/stream30ultrasc_draft.inst.cfg index 58d1edcecd..4df062d21b 100644 --- a/resources/quality/volumic/stream30ultrasc_draft.inst.cfg +++ b/resources/quality/volumic/stream30ultrasc_draft.inst.cfg @@ -4,7 +4,7 @@ name = Standard definition = stream30ultrasc [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/volumic/stream30ultrasc_extra_coarse.inst.cfg b/resources/quality/volumic/stream30ultrasc_extra_coarse.inst.cfg index 963312d2ab..2defdcf5a4 100644 --- a/resources/quality/volumic/stream30ultrasc_extra_coarse.inst.cfg +++ b/resources/quality/volumic/stream30ultrasc_extra_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Very low definition = stream30ultrasc [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/volumic/stream30ultrasc_fast.inst.cfg b/resources/quality/volumic/stream30ultrasc_fast.inst.cfg index f65e6f96d1..04e105ffd6 100644 --- a/resources/quality/volumic/stream30ultrasc_fast.inst.cfg +++ b/resources/quality/volumic/stream30ultrasc_fast.inst.cfg @@ -4,7 +4,7 @@ name = Medium definition = stream30ultrasc [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = -3 diff --git a/resources/quality/volumic/stream30ultrasc_high.inst.cfg b/resources/quality/volumic/stream30ultrasc_high.inst.cfg index 34dd84f385..93da24c881 100644 --- a/resources/quality/volumic/stream30ultrasc_high.inst.cfg +++ b/resources/quality/volumic/stream30ultrasc_high.inst.cfg @@ -4,7 +4,7 @@ name = Very high definition = stream30ultrasc [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = high weight = -5 diff --git a/resources/quality/volumic/stream30ultrasc_normal.inst.cfg b/resources/quality/volumic/stream30ultrasc_normal.inst.cfg index 4737c43f77..57e5063a6d 100644 --- a/resources/quality/volumic/stream30ultrasc_normal.inst.cfg +++ b/resources/quality/volumic/stream30ultrasc_normal.inst.cfg @@ -4,7 +4,7 @@ name = High definition = stream30ultrasc [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -4 diff --git a/resources/quality/voron2/voron2_global_extrafast_quality.inst.cfg b/resources/quality/voron2/voron2_global_extrafast_quality.inst.cfg index 8698d14744..17c151921c 100644 --- a/resources/quality/voron2/voron2_global_extrafast_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_extrafast_quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast global_quality = True diff --git a/resources/quality/voron2/voron2_global_extrafine_quality.inst.cfg b/resources/quality/voron2/voron2_global_extrafine_quality.inst.cfg index dc9b33b188..bbc37fffa7 100644 --- a/resources/quality/voron2/voron2_global_extrafine_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_extrafine_quality.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine global_quality = True diff --git a/resources/quality/voron2/voron2_global_fast_quality.inst.cfg b/resources/quality/voron2/voron2_global_fast_quality.inst.cfg index ebd32d5eb8..a163d29157 100644 --- a/resources/quality/voron2/voron2_global_fast_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_fast_quality.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast global_quality = True diff --git a/resources/quality/voron2/voron2_global_fine_quality.inst.cfg b/resources/quality/voron2/voron2_global_fine_quality.inst.cfg index ecfedaec09..59d9008cd0 100644 --- a/resources/quality/voron2/voron2_global_fine_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_fine_quality.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine global_quality = True diff --git a/resources/quality/voron2/voron2_global_normal_quality.inst.cfg b/resources/quality/voron2/voron2_global_normal_quality.inst.cfg index 69afab9eaa..c5bb904469 100644 --- a/resources/quality/voron2/voron2_global_normal_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_normal_quality.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal global_quality = True diff --git a/resources/quality/voron2/voron2_global_sprint_quality.inst.cfg b/resources/quality/voron2/voron2_global_sprint_quality.inst.cfg index 8d46afe48c..5baf4e6d6e 100644 --- a/resources/quality/voron2/voron2_global_sprint_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_sprint_quality.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint global_quality = True diff --git a/resources/quality/voron2/voron2_global_supersprint_quality.inst.cfg b/resources/quality/voron2/voron2_global_supersprint_quality.inst.cfg index c30b51ec2a..d3b20267a8 100644 --- a/resources/quality/voron2/voron2_global_supersprint_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_supersprint_quality.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint global_quality = True diff --git a/resources/quality/voron2/voron2_global_ultrasprint_quality.inst.cfg b/resources/quality/voron2/voron2_global_ultrasprint_quality.inst.cfg index d1a6b5485b..844d1fa01f 100644 --- a/resources/quality/voron2/voron2_global_ultrasprint_quality.inst.cfg +++ b/resources/quality/voron2/voron2_global_ultrasprint_quality.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint global_quality = True diff --git a/resources/quality/voron2/voron2_v6_0.25_ABS_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_ABS_extrafine.inst.cfg index 7ac292e20d..9cdd3b6e5b 100644 --- a/resources/quality/voron2/voron2_v6_0.25_ABS_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_ABS_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.25_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_ABS_fast.inst.cfg index 4e4e357e6e..bf21dde5cb 100644 --- a/resources/quality/voron2/voron2_v6_0.25_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.25_ABS_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_ABS_fine.inst.cfg index 0dd7f0f876..afc6a6b3e8 100644 --- a/resources/quality/voron2/voron2_v6_0.25_ABS_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.25_ABS_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_ABS_normal.inst.cfg index 1267c733a4..f3deba1f88 100644 --- a/resources/quality/voron2/voron2_v6_0.25_ABS_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.25_Nylon_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_Nylon_extrafine.inst.cfg index 8e30c489ac..0d4fcdd9a5 100644 --- a/resources/quality/voron2/voron2_v6_0.25_Nylon_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_Nylon_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.25_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_Nylon_fast.inst.cfg index b3160d870e..96cdcaf2bf 100644 --- a/resources/quality/voron2/voron2_v6_0.25_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.25_Nylon_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_Nylon_fine.inst.cfg index b65b888ffc..343ecc6487 100644 --- a/resources/quality/voron2/voron2_v6_0.25_Nylon_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_Nylon_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.25_Nylon_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_Nylon_normal.inst.cfg index 8ac19deb8c..2ab6bbee73 100644 --- a/resources/quality/voron2/voron2_v6_0.25_Nylon_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_Nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.25_PC_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PC_extrafine.inst.cfg index fef0505d39..14882f3362 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PC_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PC_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.25_PC_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PC_fast.inst.cfg index a3df255c59..ca1ae027b3 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.25_PC_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PC_fine.inst.cfg index d9f5c01d91..88ea6433ff 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PC_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PC_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.25_PC_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PC_normal.inst.cfg index b4deb2026c..d1e091c976 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PC_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.25_PETG_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PETG_extrafine.inst.cfg index 79cbbbe2c4..8ed38223ff 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PETG_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PETG_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.25_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PETG_fast.inst.cfg index a2d05df17a..9956a4db4b 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.25_PETG_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PETG_fine.inst.cfg index b7a85baa91..e5c4d741ed 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PETG_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.25_PETG_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PETG_normal.inst.cfg index 3f292be311..41c417fab4 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PETG_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.25_PLA_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PLA_extrafine.inst.cfg index 19b63d89a6..e1dcf4fc7b 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PLA_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PLA_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.25_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PLA_fast.inst.cfg index 6f70f524fd..9f5a993899 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.25_PLA_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PLA_fine.inst.cfg index a75811b5b1..a988f79b0c 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PLA_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.25_PLA_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.25_PLA_normal.inst.cfg index 143cc17ce6..ec5a4a62dd 100644 --- a/resources/quality/voron2/voron2_v6_0.25_PLA_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.25_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.30_ABS_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_ABS_extrafine.inst.cfg index 4221e71733..0145a4255f 100644 --- a/resources/quality/voron2/voron2_v6_0.30_ABS_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_ABS_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.30_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_ABS_fast.inst.cfg index e5c034d5c5..5ee56fd5c9 100644 --- a/resources/quality/voron2/voron2_v6_0.30_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.30_ABS_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_ABS_fine.inst.cfg index 503f58a7c7..f1a5247932 100644 --- a/resources/quality/voron2/voron2_v6_0.30_ABS_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.30_ABS_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_ABS_normal.inst.cfg index c317e1f334..a912a673c0 100644 --- a/resources/quality/voron2/voron2_v6_0.30_ABS_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.30_Nylon_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_Nylon_extrafine.inst.cfg index 6ef0d0b5e1..172ce366a9 100644 --- a/resources/quality/voron2/voron2_v6_0.30_Nylon_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_Nylon_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.30_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_Nylon_fast.inst.cfg index 09ac28991f..3b2ef0c236 100644 --- a/resources/quality/voron2/voron2_v6_0.30_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.30_Nylon_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_Nylon_fine.inst.cfg index 695090a7d1..e611b3bcc7 100644 --- a/resources/quality/voron2/voron2_v6_0.30_Nylon_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_Nylon_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.30_Nylon_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_Nylon_normal.inst.cfg index 2520d98498..caef513bf8 100644 --- a/resources/quality/voron2/voron2_v6_0.30_Nylon_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_Nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.30_PC_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PC_extrafine.inst.cfg index 3cb160e1c4..27c3a59a26 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PC_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PC_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.30_PC_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PC_fast.inst.cfg index 3de51ea179..3671052cf8 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.30_PC_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PC_fine.inst.cfg index ad788e6378..5f99244e03 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PC_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PC_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.30_PC_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PC_normal.inst.cfg index 7cf065909e..cff2700796 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PC_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.30_PETG_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PETG_extrafine.inst.cfg index 534b1b4343..c264667722 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PETG_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PETG_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.30_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PETG_fast.inst.cfg index f038c78a5e..d7f3b46e28 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.30_PETG_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PETG_fine.inst.cfg index e8c2ca95ee..cbd774934d 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PETG_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.30_PETG_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PETG_normal.inst.cfg index e801075627..f4e4ff67f2 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PETG_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.30_PLA_extrafine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PLA_extrafine.inst.cfg index 352f149883..c0020cc6e0 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PLA_extrafine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PLA_extrafine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafine material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.30_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PLA_fast.inst.cfg index 2249e17445..21ed2492f4 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.30_PLA_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PLA_fine.inst.cfg index 602e7eb440..cb2de91d82 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PLA_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.30_PLA_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.30_PLA_normal.inst.cfg index 85a729f5bc..99294e98f4 100644 --- a/resources/quality/voron2/voron2_v6_0.30_PLA_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.30_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.35_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_ABS_fast.inst.cfg index d56f9ea881..8ceb772baa 100644 --- a/resources/quality/voron2/voron2_v6_0.35_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.35_ABS_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_ABS_fine.inst.cfg index 354b58f25a..b78e8b3453 100644 --- a/resources/quality/voron2/voron2_v6_0.35_ABS_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.35_ABS_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_ABS_normal.inst.cfg index 1851932c56..4bd07e0876 100644 --- a/resources/quality/voron2/voron2_v6_0.35_ABS_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.35_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_Nylon_fast.inst.cfg index 86c3c3e642..a4cc761601 100644 --- a/resources/quality/voron2/voron2_v6_0.35_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.35_Nylon_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_Nylon_fine.inst.cfg index 442847d63f..db695d4c27 100644 --- a/resources/quality/voron2/voron2_v6_0.35_Nylon_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_Nylon_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.35_Nylon_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_Nylon_normal.inst.cfg index 1150307c74..f9ce883913 100644 --- a/resources/quality/voron2/voron2_v6_0.35_Nylon_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_Nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.35_PC_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PC_fast.inst.cfg index 437d0a7161..24f5b8a2d7 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.35_PC_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PC_fine.inst.cfg index 3892537476..6874f3715f 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PC_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PC_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.35_PC_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PC_normal.inst.cfg index ed76e786e7..e3505c6c4b 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PC_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.35_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PETG_fast.inst.cfg index 40d4f42ea5..87f9e8d353 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.35_PETG_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PETG_fine.inst.cfg index 80654c233c..bd983252a0 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PETG_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.35_PETG_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PETG_normal.inst.cfg index 10d4805a7d..6038a0e38c 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PETG_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.35_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PLA_fast.inst.cfg index 3807ca3a9f..b7e0beeb6e 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.35_PLA_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PLA_fine.inst.cfg index e4ea2d2134..b741ac4be6 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PLA_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.35_PLA_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.35_PLA_normal.inst.cfg index 550c9a71de..fb9d59ec1e 100644 --- a/resources/quality/voron2/voron2_v6_0.35_PLA_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.35_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.40_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_ABS_extrafast.inst.cfg index 3a12cc1051..47787cef27 100644 --- a/resources/quality/voron2/voron2_v6_0.40_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.40_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_ABS_fast.inst.cfg index 3ce8f52d6c..2223f3f3ed 100644 --- a/resources/quality/voron2/voron2_v6_0.40_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.40_ABS_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_ABS_fine.inst.cfg index 7b2eb12614..d3b237dd72 100644 --- a/resources/quality/voron2/voron2_v6_0.40_ABS_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_ABS_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.40_ABS_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_ABS_normal.inst.cfg index 438beb5266..df6186d10d 100644 --- a/resources/quality/voron2/voron2_v6_0.40_ABS_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.40_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_Nylon_extrafast.inst.cfg index 357a2d56e2..e0ef1cb4c3 100644 --- a/resources/quality/voron2/voron2_v6_0.40_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.40_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_Nylon_fast.inst.cfg index 549f5e93c6..8676cb4822 100644 --- a/resources/quality/voron2/voron2_v6_0.40_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.40_Nylon_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_Nylon_fine.inst.cfg index 6d4dedb088..c372203a46 100644 --- a/resources/quality/voron2/voron2_v6_0.40_Nylon_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_Nylon_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.40_Nylon_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_Nylon_normal.inst.cfg index b1a01784b5..784dd23f4e 100644 --- a/resources/quality/voron2/voron2_v6_0.40_Nylon_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_Nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.40_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PC_extrafast.inst.cfg index 3f23ea624c..c05518d01e 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.40_PC_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PC_fast.inst.cfg index 5d468b06e8..3addc36cd5 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.40_PC_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PC_fine.inst.cfg index 65c5ecdf7a..1cae5b2018 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PC_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PC_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.40_PC_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PC_normal.inst.cfg index 50e3e0c79f..14bf843075 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PC_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.40_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PETG_extrafast.inst.cfg index ef8709abd2..3bc6c5791b 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.40_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PETG_fast.inst.cfg index 540085fa11..8343215645 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.40_PETG_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PETG_fine.inst.cfg index c5c9d878bf..4ca42aae4f 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PETG_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PETG_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.40_PETG_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PETG_normal.inst.cfg index 2237f3a2e8..d7129d690d 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PETG_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.40_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PLA_extrafast.inst.cfg index 6594f0d1d8..629b11fac1 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.40_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PLA_fast.inst.cfg index 13fd7f94d3..cb91a09161 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.40_PLA_fine.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PLA_fine.inst.cfg index a8c18b059e..91f1ee772e 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PLA_fine.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PLA_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.40_PLA_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.40_PLA_normal.inst.cfg index 2cae0863f9..0e62135d2a 100644 --- a/resources/quality/voron2/voron2_v6_0.40_PLA_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.40_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.50_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_ABS_extrafast.inst.cfg index dcaaf825aa..1262529883 100644 --- a/resources/quality/voron2/voron2_v6_0.50_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.50_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_ABS_fast.inst.cfg index 3e31459eb6..3bfb15ab26 100644 --- a/resources/quality/voron2/voron2_v6_0.50_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.50_ABS_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_ABS_normal.inst.cfg index b53295ff4a..c8afc04304 100644 --- a/resources/quality/voron2/voron2_v6_0.50_ABS_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.50_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_ABS_sprint.inst.cfg index 0418ee2d61..7c2b262f73 100644 --- a/resources/quality/voron2/voron2_v6_0.50_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.50_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_Nylon_extrafast.inst.cfg index ffff2dc821..c5c3eb4d3e 100644 --- a/resources/quality/voron2/voron2_v6_0.50_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.50_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_Nylon_fast.inst.cfg index e1b2cd55ce..d48f0fde46 100644 --- a/resources/quality/voron2/voron2_v6_0.50_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.50_Nylon_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_Nylon_normal.inst.cfg index a74778b146..222c65d25e 100644 --- a/resources/quality/voron2/voron2_v6_0.50_Nylon_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_Nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.50_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_Nylon_sprint.inst.cfg index 5349c0a620..fd8893a0af 100644 --- a/resources/quality/voron2/voron2_v6_0.50_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.50_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PC_extrafast.inst.cfg index f1cb8ed6d7..b0a85330e4 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.50_PC_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PC_fast.inst.cfg index fcf6bdf977..fa65548c85 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.50_PC_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PC_normal.inst.cfg index 43bbbf73f9..dff7bd778f 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PC_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.50_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PC_sprint.inst.cfg index 0fd83c93a7..f70f5ff5a3 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.50_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PETG_extrafast.inst.cfg index 8c892168f6..2e3a2c8cef 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.50_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PETG_fast.inst.cfg index 36ef23c492..578e3428e6 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.50_PETG_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PETG_normal.inst.cfg index 3b164abfa7..950f7c8fc5 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PETG_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.50_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PETG_sprint.inst.cfg index 9e64a5f473..72d60dbf72 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.50_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PLA_extrafast.inst.cfg index adfe54cc4c..3970105372 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.50_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PLA_fast.inst.cfg index cc29dd0bde..f19d1a0805 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.50_PLA_normal.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PLA_normal.inst.cfg index 2ea8b1e86f..78e9516719 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PLA_normal.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.50_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.50_PLA_sprint.inst.cfg index de4044b5a3..9c3a6d33ec 100644 --- a/resources/quality/voron2/voron2_v6_0.50_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.50_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.60_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_ABS_extrafast.inst.cfg index 4f8a997d1f..5160aa2a99 100644 --- a/resources/quality/voron2/voron2_v6_0.60_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.60_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_ABS_fast.inst.cfg index ebba4efd96..7b69cf312b 100644 --- a/resources/quality/voron2/voron2_v6_0.60_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.60_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_ABS_sprint.inst.cfg index 1d512ef77c..14874c3707 100644 --- a/resources/quality/voron2/voron2_v6_0.60_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.60_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_Nylon_extrafast.inst.cfg index f6139799ae..1b54a08f92 100644 --- a/resources/quality/voron2/voron2_v6_0.60_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.60_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_Nylon_fast.inst.cfg index e8aa66124e..0ca1c31cae 100644 --- a/resources/quality/voron2/voron2_v6_0.60_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.60_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_Nylon_sprint.inst.cfg index f16dc55ce5..096231a552 100644 --- a/resources/quality/voron2/voron2_v6_0.60_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.60_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PC_extrafast.inst.cfg index 2dcb34499e..fe5d9ec540 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.60_PC_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PC_fast.inst.cfg index f60135f48a..be6ef4e16a 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.60_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PC_sprint.inst.cfg index d74da68cdd..fdd8bb376d 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.60_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PETG_extrafast.inst.cfg index 83f7b6cced..4367c9e95b 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.60_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PETG_fast.inst.cfg index 203b5eb0e4..efadffc379 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.60_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PETG_sprint.inst.cfg index 50a15846ee..8194e7594e 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.60_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PLA_extrafast.inst.cfg index 793050ad28..46a7d1673d 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.60_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PLA_fast.inst.cfg index 4895b0bb84..479688ae98 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.60_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.60_PLA_sprint.inst.cfg index 84e53b7ce3..fa1def12b8 100644 --- a/resources/quality/voron2/voron2_v6_0.60_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.60_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.80_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_ABS_extrafast.inst.cfg index 74bd32b7d5..d3b9f9f345 100644 --- a/resources/quality/voron2/voron2_v6_0.80_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.80_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_ABS_sprint.inst.cfg index 52a5922126..b93c88425a 100644 --- a/resources/quality/voron2/voron2_v6_0.80_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.80_ABS_supersprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_ABS_supersprint.inst.cfg index 0fc1577288..f716dddb6e 100644 --- a/resources/quality/voron2/voron2_v6_0.80_ABS_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_ABS_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_abs diff --git a/resources/quality/voron2/voron2_v6_0.80_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_Nylon_extrafast.inst.cfg index 5d4774bfc3..9a537e93e4 100644 --- a/resources/quality/voron2/voron2_v6_0.80_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.80_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_Nylon_sprint.inst.cfg index dde729e163..ee4b7c1b8f 100644 --- a/resources/quality/voron2/voron2_v6_0.80_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.80_Nylon_supersprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_Nylon_supersprint.inst.cfg index 837f63e6e7..82f5b2fc09 100644 --- a/resources/quality/voron2/voron2_v6_0.80_Nylon_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_Nylon_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_v6_0.80_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PC_extrafast.inst.cfg index 472f5c12f6..644d04794a 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.80_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PC_sprint.inst.cfg index c784bacb63..6258e11ea7 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.80_PC_supersprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PC_supersprint.inst.cfg index ba9aa85077..282d13f154 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PC_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PC_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pc diff --git a/resources/quality/voron2/voron2_v6_0.80_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PETG_extrafast.inst.cfg index 11e83ed90f..90fc7bbd5c 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.80_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PETG_sprint.inst.cfg index 999ade3626..2254e719d3 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.80_PETG_supersprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PETG_supersprint.inst.cfg index a030440cd0..cb9957dfb9 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PETG_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PETG_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_petg diff --git a/resources/quality/voron2/voron2_v6_0.80_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PLA_extrafast.inst.cfg index 369acc0c7a..0e16275412 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.80_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PLA_sprint.inst.cfg index ece4e203c3..ec8bee96cc 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_v6_0.80_PLA_supersprint.inst.cfg b/resources/quality/voron2/voron2_v6_0.80_PLA_supersprint.inst.cfg index c624be14fc..fe173cc031 100644 --- a/resources/quality/voron2/voron2_v6_0.80_PLA_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_v6_0.80_PLA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.40_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_ABS_extrafast.inst.cfg index bc549b0b0c..3d13535fc1 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.40_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_ABS_fast.inst.cfg index 81e2dc45dc..7e69f36671 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.40_ABS_normal.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_ABS_normal.inst.cfg index b886ba3d87..6dfd11436d 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_ABS_normal.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_ABS_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.40_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_Nylon_extrafast.inst.cfg index 540b1683e2..5abe001397 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.40_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_Nylon_fast.inst.cfg index aa11a7fa60..02aef311f3 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.40_Nylon_normal.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_Nylon_normal.inst.cfg index 1e4234aabc..ab1a0ea1b5 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_Nylon_normal.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_Nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.40_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PC_extrafast.inst.cfg index 4173829b12..c7c9c4bae8 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.40_PC_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PC_fast.inst.cfg index 04c7b27b80..42478e2a90 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.40_PC_normal.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PC_normal.inst.cfg index b4596b3ae0..5ed61e3889 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PC_normal.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PC_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.40_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PETG_extrafast.inst.cfg index 96fa1c5f77..2feaf72335 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.40_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PETG_fast.inst.cfg index 678bed7ba8..8ff30e8fe4 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.40_PETG_normal.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PETG_normal.inst.cfg index 2143dcab71..bda08d4a01 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PETG_normal.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PETG_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.40_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PLA_extrafast.inst.cfg index 0b05db9d49..85f5f73f05 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.40_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PLA_fast.inst.cfg index 9797538ea5..bcafee0d6b 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.40_PLA_normal.inst.cfg b/resources/quality/voron2/voron2_volcano_0.40_PLA_normal.inst.cfg index 7f0c433d13..1674fde8cc 100644 --- a/resources/quality/voron2/voron2_volcano_0.40_PLA_normal.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.40_PLA_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.60_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_ABS_extrafast.inst.cfg index ba207e159e..67f9502aec 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.60_ABS_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_ABS_fast.inst.cfg index 39f9c05788..2f1e6981f5 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_ABS_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_ABS_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.60_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_ABS_sprint.inst.cfg index 1bb636f69e..6596de4125 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.60_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_Nylon_extrafast.inst.cfg index 2e7be28cbf..b3eaf2aeeb 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.60_Nylon_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_Nylon_fast.inst.cfg index 6d1d8c3fef..775eeb974f 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_Nylon_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_Nylon_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.60_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_Nylon_sprint.inst.cfg index 8bf58d265a..749555af8a 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.60_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PC_extrafast.inst.cfg index 2b2770c02e..cc4607c3ce 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.60_PC_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PC_fast.inst.cfg index 1da25da27b..744e14656e 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PC_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PC_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.60_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PC_sprint.inst.cfg index b865daf2b9..b2aebc5763 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.60_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PETG_extrafast.inst.cfg index 88071d9eb5..42750ba94c 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.60_PETG_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PETG_fast.inst.cfg index a1bbb2eae8..722f087a34 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PETG_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PETG_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.60_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PETG_sprint.inst.cfg index c7fbdfb380..c7f15cac51 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.60_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PLA_extrafast.inst.cfg index 6b215f2c46..d3f39512ea 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.60_PLA_fast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PLA_fast.inst.cfg index 11a0846510..f9cebcb28d 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PLA_fast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PLA_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.60_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.60_PLA_sprint.inst.cfg index c32a3143e2..d5104dd133 100644 --- a/resources/quality/voron2/voron2_volcano_0.60_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.60_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.80_ABS_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_ABS_extrafast.inst.cfg index 6c7ed11cb8..22233a094f 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_ABS_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_ABS_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.80_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_ABS_sprint.inst.cfg index 87d112c547..5a8bb91667 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.80_ABS_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_ABS_supersprint.inst.cfg index 8026851d20..df5c4b1d7e 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_ABS_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_ABS_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_0.80_Nylon_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_Nylon_extrafast.inst.cfg index bb02d12de9..7f3c7bafdb 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_Nylon_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_Nylon_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.80_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_Nylon_sprint.inst.cfg index 6ed5a3ae06..67aa7d7a7b 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.80_Nylon_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_Nylon_supersprint.inst.cfg index a56f34371b..9dcb40e513 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_Nylon_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_Nylon_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_0.80_PC_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PC_extrafast.inst.cfg index 059c16b5d7..5c57bc3ca7 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PC_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PC_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.80_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PC_sprint.inst.cfg index 573e741df1..02368b060b 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.80_PC_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PC_supersprint.inst.cfg index ed09ef776b..d8515416ce 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PC_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PC_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_0.80_PETG_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PETG_extrafast.inst.cfg index 691cce8f53..b8059d7dd4 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PETG_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PETG_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.80_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PETG_sprint.inst.cfg index fdeca9b15a..fc7cbb37a9 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.80_PETG_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PETG_supersprint.inst.cfg index 3fd39132c7..f4e592d84e 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PETG_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PETG_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_0.80_PLA_extrafast.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PLA_extrafast.inst.cfg index 3ca6b752d1..47ed33e379 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PLA_extrafast.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PLA_extrafast.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fast definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extrafast material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.80_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PLA_sprint.inst.cfg index c3dd1c1d2b..ce3f74b43e 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_0.80_PLA_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_0.80_PLA_supersprint.inst.cfg index 41767c1a1e..50e320e76a 100644 --- a/resources/quality/voron2/voron2_volcano_0.80_PLA_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_0.80_PLA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_1.00_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_ABS_sprint.inst.cfg index 53e0deff49..0861b6a62f 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_1.00_ABS_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_ABS_supersprint.inst.cfg index ffe53f31cc..0ba36e9976 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_ABS_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_ABS_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_1.00_ABS_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_ABS_ultrasprint.inst.cfg index 111da46097..159d8226b5 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_ABS_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_ABS_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_1.00_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_Nylon_sprint.inst.cfg index cb3dbffb13..d90380add4 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_1.00_Nylon_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_Nylon_supersprint.inst.cfg index 47c79a3f1f..f7438b381e 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_Nylon_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_Nylon_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_1.00_Nylon_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_Nylon_ultrasprint.inst.cfg index 7cb0f9a4ee..ad726b94d2 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_Nylon_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_Nylon_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_1.00_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PC_sprint.inst.cfg index 4e56766f0c..ddf247e09f 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_1.00_PC_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PC_supersprint.inst.cfg index 5410a2ee4e..19cbeaac0d 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PC_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PC_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_1.00_PC_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PC_ultrasprint.inst.cfg index 2a62f38000..7b57cd6add 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PC_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PC_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_1.00_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PETG_sprint.inst.cfg index 4613869700..4046b10cd4 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_1.00_PETG_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PETG_supersprint.inst.cfg index 03e77c1af9..3d5b3db14a 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PETG_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PETG_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_1.00_PETG_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PETG_ultrasprint.inst.cfg index 0fc956b8f0..e0bb1afb75 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PETG_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PETG_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_1.00_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PLA_sprint.inst.cfg index 098a1b62a4..9158a037b0 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_1.00_PLA_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PLA_supersprint.inst.cfg index db1610e44d..94353428fc 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PLA_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PLA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_1.00_PLA_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.00_PLA_ultrasprint.inst.cfg index 187b4e63f5..514a93e2f3 100644 --- a/resources/quality/voron2/voron2_volcano_1.00_PLA_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.00_PLA_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_1.20_ABS_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_ABS_sprint.inst.cfg index f777012221..c36c7a4502 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_ABS_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_ABS_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_1.20_ABS_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_ABS_supersprint.inst.cfg index 7e983820af..050b7c3f7f 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_ABS_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_ABS_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_1.20_ABS_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_ABS_ultrasprint.inst.cfg index 2602a97655..001a82bb39 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_ABS_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_ABS_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_abs diff --git a/resources/quality/voron2/voron2_volcano_1.20_Nylon_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_Nylon_sprint.inst.cfg index e268d56cc5..1c2660d0e9 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_Nylon_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_Nylon_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_1.20_Nylon_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_Nylon_supersprint.inst.cfg index ca404622a5..e42011a66d 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_Nylon_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_Nylon_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_1.20_Nylon_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_Nylon_ultrasprint.inst.cfg index d61745c425..6d20e5d0e3 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_Nylon_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_Nylon_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_nylon diff --git a/resources/quality/voron2/voron2_volcano_1.20_PC_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PC_sprint.inst.cfg index 9c331bba33..dee1b279ac 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PC_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PC_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_1.20_PC_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PC_supersprint.inst.cfg index 06515a9f3e..23c48b6445 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PC_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PC_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_1.20_PC_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PC_ultrasprint.inst.cfg index 5af8ec074e..83a4e51e42 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PC_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PC_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_pc diff --git a/resources/quality/voron2/voron2_volcano_1.20_PETG_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PETG_sprint.inst.cfg index 2142da7156..7539fbf5e9 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PETG_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PETG_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_1.20_PETG_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PETG_supersprint.inst.cfg index a88f6364a1..ca4a309924 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PETG_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PETG_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_1.20_PETG_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PETG_ultrasprint.inst.cfg index ec867b46b1..37ffdffba9 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PETG_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PETG_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_petg diff --git a/resources/quality/voron2/voron2_volcano_1.20_PLA_sprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PLA_sprint.inst.cfg index 0356f54750..6611b94151 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PLA_sprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PLA_sprint.inst.cfg @@ -4,7 +4,7 @@ name = Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = sprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_1.20_PLA_supersprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PLA_supersprint.inst.cfg index d37f94ef98..e3f3ef11dd 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PLA_supersprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PLA_supersprint.inst.cfg @@ -4,7 +4,7 @@ name = Super Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = supersprint material = generic_pla diff --git a/resources/quality/voron2/voron2_volcano_1.20_PLA_ultrasprint.inst.cfg b/resources/quality/voron2/voron2_volcano_1.20_PLA_ultrasprint.inst.cfg index c6ce0c47d8..6abd8fddbc 100644 --- a/resources/quality/voron2/voron2_volcano_1.20_PLA_ultrasprint.inst.cfg +++ b/resources/quality/voron2/voron2_volcano_1.20_PLA_ultrasprint.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Sprint definition = voron2_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ultrasprint material = generic_pla diff --git a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Draft.inst.cfg b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Draft.inst.cfg index af76095d1c..6a946aed35 100644 --- a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Draft.inst.cfg +++ b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Extra_Fine.inst.cfg index c9dde7b714..7fbec8ea47 100644 --- a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 0 diff --git a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Fine.inst.cfg b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Fine.inst.cfg index f808457c97..8ccdea7c0b 100644 --- a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Fine.inst.cfg +++ b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Normal.inst.cfg b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Normal.inst.cfg index ba741f66c6..890950f05b 100644 --- a/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Normal.inst.cfg +++ b/resources/quality/weedo_x40/Extrudr/weedo_x40_0.4_extrudr_GreenTECPro_Black_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Draft.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Draft.inst.cfg index d57f1ba198..3cb7d356b3 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Draft.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Extra_Fine.inst.cfg index 1e9433de32..512f9a98e7 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Fine.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Fine.inst.cfg index c025ace184..44098ac65e 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Fine.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Normal.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Normal.inst.cfg index 8a400eef87..71e06cce88 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Normal.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.4_Verbatim_BVOH_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Coarse.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Coarse.inst.cfg index c43edb8a09..c27ca3da29 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Draft.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Draft.inst.cfg index a799f51e36..81e9033105 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Draft.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Fine.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Fine.inst.cfg index dfdbdbf435..a7093e9477 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Fine.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Normal.inst.cfg b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Normal.inst.cfg index 8e42da1943..f0e2ca8b4d 100644 --- a/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Normal.inst.cfg +++ b/resources/quality/weedo_x40/Verbatim/weedo_x40_0.6_Verbatim_BVOH_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Draft.inst.cfg index b841f9a1b0..6289ef9302 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Extra_Fine.inst.cfg index 7b66cf7370..02f5439fea 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Fine.inst.cfg index b2a9b5bed3..9bfb7c78df 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Normal.inst.cfg index e304163adf..d378509202 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ABS_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Draft.inst.cfg index 04d868d43b..3fd35efe73 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Extra_Fine.inst.cfg index 1c8641e293..ead66f0146 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Fine.inst.cfg index 14b39d2796..49841dc732 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Normal.inst.cfg index 96eae24c64..19ab78140f 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_ASA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Draft.inst.cfg index a6920b4a10..31bdfa3fa1 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Extra_Fine.inst.cfg index ccec0a1880..9bb5c2dada 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Fine.inst.cfg index c68ca07dca..e607b32b30 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Normal.inst.cfg index 1a7dc07730..f87fe8d5e5 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_BVOH_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Draft.inst.cfg index ca25d44e49..45b70000e8 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Extra_Fine.inst.cfg index c2a919083b..83b705ad53 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Fine.inst.cfg index 8d285a2443..d68a42b854 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Normal.inst.cfg index 59b259edfe..786b5d5274 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_CPE_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Draft.inst.cfg index 17fc90d57e..2a92cf14b2 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Extra_Fine.inst.cfg index f3570e734d..ebc1fcf1da 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Fine.inst.cfg index 3d441a4a1f..294f1c84a0 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Normal.inst.cfg index 4dbd40fd9b..797aa298da 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_HIPS_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Draft.inst.cfg index c07b23e4fa..7d1829f498 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Extra_Fine.inst.cfg index fe10700f4d..f2fc2ff2a3 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Fine.inst.cfg index ba71a0c022..c724f4862e 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Normal.inst.cfg index 25d23fec05..2e63faa1d5 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PETG_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Draft.inst.cfg index 6f27e087fd..dbdbf88bec 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Extra_Fine.inst.cfg index 17539ee078..2c197abae7 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Fine.inst.cfg index 5add99c39a..279c66cc5d 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Normal.inst.cfg index 842e641115..d35c5a0712 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PLA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Draft.inst.cfg index 05a943965a..094244febb 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Extra_Fine.inst.cfg index f5dced00e5..694be21a43 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Fine.inst.cfg index 72c8418405..0a9e4f1db3 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Normal.inst.cfg index 81d858dda9..025323204d 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_PVA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Draft.inst.cfg index 503288acf0..7a5b8b3a4a 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Extra_Fine.inst.cfg index 7a2a7c8a0d..8ce191cd46 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = 1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Fine.inst.cfg index f68b46bb21..a330b099b6 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Normal.inst.cfg index 9221f423aa..8b40bfece8 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.4_generic_TPU_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Coarse.inst.cfg index 2424c92420..f89475e350 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Draft.inst.cfg index b650c77fc8..8f86cfcf60 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Fine.inst.cfg index 057fbafeaa..5628cdd8f7 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Normal.inst.cfg index ba0c0c9c23..f8a6c1fc54 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ABS_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Coarse.inst.cfg index 7f80a0f60f..08b0a727f7 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Draft.inst.cfg index 1f7443a1bf..1e0c387570 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Fine.inst.cfg index 05e43be4fb..059658c2ed 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Normal.inst.cfg index 4205c83ff5..b03d5d9577 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_ASA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Coarse.inst.cfg index 70e6d5f996..c2c3d9bcd4 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Draft.inst.cfg index 7512de1c87..9258a1ba73 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Fine.inst.cfg index 894106e799..b9e11468cc 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Normal.inst.cfg index 18d7098042..e97b6f0f84 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_BVOH_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Coarse.inst.cfg index 9ddcae5f35..2c8025693c 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Draft.inst.cfg index 9fa38f11b4..b0ef85bd13 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Fine.inst.cfg index 06b9921f59..6e9588d31b 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Normal.inst.cfg index 98f207554a..eff2c48edf 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_CPE_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Coarse.inst.cfg index 1210b32eb8..febdb9cfa5 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Draft.inst.cfg index 4a9307ffec..09193ddb63 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Fine.inst.cfg index 8a814f8901..d5613f69e8 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Normal.inst.cfg index e072062299..03331dd2d6 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_HIPS_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Coarse.inst.cfg index 188cb1c8b2..67ab4b425b 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Draft.inst.cfg index c0749ab398..d139be05e6 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Fine.inst.cfg index 74064caf3d..4523cf5c9f 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Normal.inst.cfg index 3881eab5f1..2e2d96b444 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PETG_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Coarse.inst.cfg index 868812a696..5a770f5dab 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Draft.inst.cfg index 173149b7ce..3d05dd7f40 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Fine.inst.cfg index 7bcca71270..8f2111ae53 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Normal.inst.cfg index 03eb3afc7d..cf99c8d7ad 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PLA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Coarse.inst.cfg index a907731870..1fabb835da 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Draft.inst.cfg index 32f2eab8c4..6c5659a3a3 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Fine.inst.cfg index 724fd01c39..73229cc277 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Normal.inst.cfg index 2c2cf06534..2d99db8639 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_PVA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Coarse.inst.cfg index 71384e5721..4983975cea 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Draft.inst.cfg index 47319184df..1827c63e6d 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Fine.inst.cfg index 74b0d98a53..387c5292ac 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Normal.inst.cfg index 4fec636ece..769835602e 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.6_generic_TPU_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Coarse.inst.cfg index c21fb42d01..40705d0259 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Draft.inst.cfg index 735ceb4be0..bec5f902e0 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -1 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Extra_Coarse.inst.cfg index 5a0d374f2c..3a721b1b6f 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Normal.inst.cfg index 500fa6fddf..315af84391 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ABS_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Coarse.inst.cfg index 54116760a5..14d466bcf5 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Draft.inst.cfg index d9a4073fb9..786de42a68 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Extra_Coarse.inst.cfg index 5578d19c03..4f3edbbdb0 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Normal.inst.cfg index 3d5cca2969..0608695129 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_ASA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Coarse.inst.cfg index de875696e9..524540984b 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Draft.inst.cfg index 565bfeae30..7429c71065 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Extra_Coarse.inst.cfg index 9546a539ff..0565092a84 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Normal.inst.cfg index e00dfda819..68391cd78e 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_BVOH_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Coarse.inst.cfg index fddc479dce..b2da58d6e6 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Draft.inst.cfg index d74272f49b..f1f322c3cd 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Extra_Coarse.inst.cfg index c813afd4cd..25633eeb9a 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Normal.inst.cfg index 2dcc8f9cda..1213da6b87 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_CPE_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Coarse.inst.cfg index 3eb7e68e9f..24fae2eb7e 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Draft.inst.cfg index 020d511a8e..36c21c586f 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Extra_Coarse.inst.cfg index 098f95bebe..ee0a72d760 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Normal.inst.cfg index 2f8cdbb3bc..ad04958eee 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_HIPS_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Coarse.inst.cfg index 6d9e5c9253..43560eaaff 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Draft.inst.cfg index d240ab5281..88fcc7590e 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Extra_Coarse.inst.cfg index 05742e512e..5735d99ac1 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Normal.inst.cfg index 84ac7d5790..faf4165234 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PETG_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Coarse.inst.cfg index 7b23c1b842..a614832d0d 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Draft.inst.cfg index b2e5458b0b..c4e313ab52 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Extra_Coarse.inst.cfg index 9ecb302670..5578e7ad28 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Normal.inst.cfg index e7caadbd53..c6f44a0e18 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PLA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Coarse.inst.cfg index 96002b0bc4..8aa79fd338 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Draft.inst.cfg index a0fa2bb74c..6fe228748b 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Extra_Coarse.inst.cfg index 774fe125f8..426f37d171 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Normal.inst.cfg index 237ed2c8d2..cb733b6571 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_PVA_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Coarse.inst.cfg index d2234f05b4..8a6c406cc2 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Draft.inst.cfg index 8eac064804..3619d37152 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Extra_Coarse.inst.cfg index ba36b3603b..a7bd03ae18 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Normal.inst.cfg index 2343bebcf5..9d0acd4dbb 100644 --- a/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_0.8_generic_TPU_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/weedo_x40/weedo_x40_global_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_global_Coarse.inst.cfg index 8ba216884b..6871857996 100644 --- a/resources/quality/weedo_x40/weedo_x40_global_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_global_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -4 diff --git a/resources/quality/weedo_x40/weedo_x40_global_Draft.inst.cfg b/resources/quality/weedo_x40/weedo_x40_global_Draft.inst.cfg index 4e1bf13d9b..856a6e8c51 100644 --- a/resources/quality/weedo_x40/weedo_x40_global_Draft.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_global_Draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -4 diff --git a/resources/quality/weedo_x40/weedo_x40_global_Extra_Coarse.inst.cfg b/resources/quality/weedo_x40/weedo_x40_global_Extra_Coarse.inst.cfg index b866b2d248..e3c970f359 100644 --- a/resources/quality/weedo_x40/weedo_x40_global_Extra_Coarse.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_global_Extra_Coarse.inst.cfg @@ -4,7 +4,7 @@ name = Extra Coarse definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra coarse weight = -4 diff --git a/resources/quality/weedo_x40/weedo_x40_global_Extra_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_global_Extra_Fine.inst.cfg index 0b9af140a9..87ca3acc5f 100644 --- a/resources/quality/weedo_x40/weedo_x40_global_Extra_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_global_Extra_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Extra Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = extra fine weight = -1 diff --git a/resources/quality/weedo_x40/weedo_x40_global_Fine.inst.cfg b/resources/quality/weedo_x40/weedo_x40_global_Fine.inst.cfg index 0492afc7ac..ba72f9de4f 100644 --- a/resources/quality/weedo_x40/weedo_x40_global_Fine.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_global_Fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = -2 diff --git a/resources/quality/weedo_x40/weedo_x40_global_Normal.inst.cfg b/resources/quality/weedo_x40/weedo_x40_global_Normal.inst.cfg index dbe46290ed..79cef45ced 100644 --- a/resources/quality/weedo_x40/weedo_x40_global_Normal.inst.cfg +++ b/resources/quality/weedo_x40/weedo_x40_global_Normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -3 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_coarse.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_coarse.inst.cfg index cbd35f1993..4715473ad9 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_coarse.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_draft.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_draft.inst.cfg index faed53f626..979106dddd 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_draft.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_fine.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_fine.inst.cfg index f29211edc8..da7acbbfeb 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_fine.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_normal.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_normal.inst.cfg index 581d2e73f5..9dba686692 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_normal.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_1p0_pro_copper_0.40_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_coarse.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_coarse.inst.cfg index 3ae3c643af..5959e3b336 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_coarse.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_draft.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_draft.inst.cfg index 5a63853c3d..7556fc2f3f 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_draft.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_fine.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_fine.inst.cfg index e364073685..48abace00d 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_fine.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_normal.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_normal.inst.cfg index eb4e9fb6cf..6ac05604e4 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_normal.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_coarse.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_coarse.inst.cfg index 2d4c5ae050..cfc0cd6731 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_coarse.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_draft.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_draft.inst.cfg index 7f269d4577..d87a3cec64 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_draft.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_fine.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_fine.inst.cfg index 26dd1d4487..0fd1cf6b91 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_fine.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_normal.inst.cfg b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_normal.inst.cfg index 1c615ba53a..d5b2a28b14 100644 --- a/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_normal.inst.cfg +++ b/resources/quality/xyzprinting/abs/xyzprinting_da_vinci_super_copper_0.40_abs_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_coarse.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_coarse.inst.cfg index bc6124d6b0..8c6460ce04 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_coarse.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_draft.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_draft.inst.cfg index d4e7514900..dc52fbeb9b 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_draft.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_fine.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_fine.inst.cfg index 6a3dcc340a..e38fc61eaf 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_fine.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_normal.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_normal.inst.cfg index a834d443d2..b781d3eb86 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_normal.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_1p0_pro_copper_0.40_antibact_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_coarse.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_coarse.inst.cfg index 77eea1945b..e76a4f5df5 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_coarse.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_draft.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_draft.inst.cfg index 4b4fa1df95..f3b2f4b0c7 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_draft.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_fine.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_fine.inst.cfg index 564337c80c..f997a21ce7 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_fine.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine material = xyzprinting_antibact_pla diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_normal.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_normal.inst.cfg index 0919c986f0..3e048b3c9d 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_normal.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_antibact_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_coarse.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_coarse.inst.cfg index 52a26791e0..cea21e93fc 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_coarse.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_draft.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_draft.inst.cfg index fcee4a9988..eac9bd1604 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_draft.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_fine.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_fine.inst.cfg index c14710bdd1..a5b9f1ba30 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_fine.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_normal.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_normal.inst.cfg index 8bbc8fa6ee..7856ee7d03 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_normal.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_antibact_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_coarse.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_coarse.inst.cfg index 9890710331..8cd4fd0bc2 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_coarse.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_draft.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_draft.inst.cfg index 06cc36835c..68ead2475c 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_draft.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_fine.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_fine.inst.cfg index d9a3987043..cf3c82a3cf 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_fine.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_normal.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_normal.inst.cfg index 8efa0e235e..ca3860ad7e 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_normal.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_antibact_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_coarse.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_coarse.inst.cfg index 1acabb5357..fe174bccc8 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_coarse.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_draft.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_draft.inst.cfg index 515fd90405..8ea09fb8b4 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_draft.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_fine.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_fine.inst.cfg index aa6f24f251..97ff193c00 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_fine.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_normal.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_normal.inst.cfg index c90c15446f..124620e6a0 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_normal.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_jr_w_pro_ss_0.40_antibact_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_coarse.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_coarse.inst.cfg index bfa1870046..008e6c2715 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_coarse.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_draft.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_draft.inst.cfg index 5a0dfd8be9..4a70583723 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_draft.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_fine.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_fine.inst.cfg index 3b968a077b..bcc9278d05 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_fine.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_normal.inst.cfg b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_normal.inst.cfg index 616a5a9b6b..2a87039f0c 100644 --- a/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_normal.inst.cfg +++ b/resources/quality/xyzprinting/anti_bact/xyzprinting_da_vinci_super_copper_0.40_antibact_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_coarse.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_coarse.inst.cfg index a5fc9bbfd0..4022f8e7b9 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_coarse.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_draft.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_draft.inst.cfg index 416e34b336..d0bca05b7a 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_draft.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_fine.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_fine.inst.cfg index 7fa20924c3..509931fe6a 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_fine.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_normal.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_normal.inst.cfg index 616c43b8a2..3fcfc291fa 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_normal.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_carbon_fiber_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_coarse.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_coarse.inst.cfg index 99c23e9748..7cf513e9f9 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_coarse.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_draft.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_draft.inst.cfg index ae950b9cac..faa98a333b 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_draft.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_fine.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_fine.inst.cfg index c0856c9857..b95a6e093e 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_fine.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_normal.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_normal.inst.cfg index 611d3c99fa..ce0acf723e 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_normal.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_carbon_fiber_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_coarse.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_coarse.inst.cfg index 4df9e01b22..bf603d73ad 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_coarse.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_draft.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_draft.inst.cfg index 6324348666..3d524c0d6f 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_draft.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_fine.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_fine.inst.cfg index 0baf26e1aa..07c58edd6a 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_fine.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_normal.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_normal.inst.cfg index 689aff1228..a21795ec88 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_normal.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_carbon_fiber_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_coarse.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_coarse.inst.cfg index 61889acf6c..9e778b2ba3 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_coarse.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_draft.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_draft.inst.cfg index da6b03009c..97f6de0a6b 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_draft.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_fine.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_fine.inst.cfg index 4597d5fe53..1d69fbad4e 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_fine.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_normal.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_normal.inst.cfg index e41254348c..a7518b9165 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_normal.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_jr_w_pro_hs_0.40_carbon_fiber_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_coarse.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_coarse.inst.cfg index 4ce2d83d59..efa2343ef7 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_coarse.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_draft.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_draft.inst.cfg index a54b6c0450..8c8719c2ed 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_draft.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_fine.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_fine.inst.cfg index ee213a3e46..882b5e020f 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_fine.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_normal.inst.cfg b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_normal.inst.cfg index a396b76fe7..a731931b1b 100644 --- a/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_normal.inst.cfg +++ b/resources/quality/xyzprinting/carbon_fiber/xyzprinting_da_vinci_super_hs_0.40_carbon_fiber_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_coarse.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_coarse.inst.cfg index 07c1a50aa0..c0fd14a2bc 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_draft.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_draft.inst.cfg index 2dc3bf26ce..8d0a1d48b9 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_fine.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_fine.inst.cfg index e42c6982e5..6bebb3d706 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_normal.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_normal.inst.cfg index 3bf2929218..ec1ac6e945 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_colorinkjet_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_coarse.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_coarse.inst.cfg index 98cd6ab71f..7a7196e95c 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_draft.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_draft.inst.cfg index 680c6a9e1c..37462f7ee0 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_fine.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_fine.inst.cfg index 41f34a4af6..1ed81effae 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_normal.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_normal.inst.cfg index 1cb9027b1d..948691680a 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_colorinkjet_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_coarse.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_coarse.inst.cfg index b2fc6ecbac..b8e45ecb27 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_draft.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_draft.inst.cfg index 9efd1ab0d5..ee2d6bc5a4 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_fine.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_fine.inst.cfg index 95fff69020..1f0c5e654e 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_normal.inst.cfg b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_normal.inst.cfg index ed2f161ee2..7356f4a39f 100644 --- a/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/color_pla/xyzprinting_da_vinci_super_copper_0.40_colorinkjet_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_coarse.inst.cfg b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_coarse.inst.cfg index 433bf1fa88..009a232b6b 100644 --- a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_coarse.inst.cfg +++ b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_draft.inst.cfg b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_draft.inst.cfg index a4200c45c9..3424449e8c 100644 --- a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_draft.inst.cfg +++ b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_fine.inst.cfg b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_fine.inst.cfg index 40e356bbf6..cd37ef504a 100644 --- a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_fine.inst.cfg +++ b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_normal.inst.cfg b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_normal.inst.cfg index eadf9d964a..96ea38b3d7 100644 --- a/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_normal.inst.cfg +++ b/resources/quality/xyzprinting/flexible/xyzprinting_da_vinci_super_copper_0.40_flexible_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_coarse.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_coarse.inst.cfg index 1043972125..98a573cfff 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_coarse.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_draft.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_draft.inst.cfg index c8ddbe0f97..c9ed3ef6c8 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_draft.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = 0 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_fine.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_fine.inst.cfg index 34733bcef2..934e6ccc14 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_fine.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_normal.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_normal.inst.cfg index 213a44cc5e..11a7fc100f 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_normal.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40_metallic_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_coarse.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_coarse.inst.cfg index 3f178675fa..a0894899db 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_coarse.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_draft.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_draft.inst.cfg index 074041703a..09027e6aa7 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_draft.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_fine.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_fine.inst.cfg index 6500094207..20696a1c53 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_fine.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_normal.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_normal.inst.cfg index 5817f5f21c..0478b12cfb 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_normal.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40_metallic_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_coarse.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_coarse.inst.cfg index ec66f9e603..92647a35c0 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_coarse.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_draft.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_draft.inst.cfg index 5e52cd857d..2dfe27abb5 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_draft.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_fine.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_fine.inst.cfg index c7a0f9dd9e..1b69b2c680 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_fine.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_normal.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_normal.inst.cfg index 160624e94e..d384f1c461 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_normal.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40_metallic_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_coarse.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_coarse.inst.cfg index a266327e78..1d76ce8b0b 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_coarse.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_draft.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_draft.inst.cfg index e01189ad45..99943e8d5e 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_draft.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_fine.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_fine.inst.cfg index 60339f0354..2379e379a2 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_fine.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_normal.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_normal.inst.cfg index 9ba7e9d756..b842e33472 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_normal.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_jr_w_pro_hs_0.40_metallic_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_coarse.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_coarse.inst.cfg index ead1b76c4a..bebd6da8be 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_coarse.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_draft.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_draft.inst.cfg index b55a172828..864607a918 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_draft.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_fine.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_fine.inst.cfg index 25d3b2ab5e..0ec1ae0596 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_fine.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_normal.inst.cfg b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_normal.inst.cfg index 16bc5d0502..24fa6852de 100644 --- a/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_normal.inst.cfg +++ b/resources/quality/xyzprinting/metallic_pla/xyzprinting_da_vinci_super_hs_0.40_metallic_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_coarse.inst.cfg b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_coarse.inst.cfg index 63db810ece..d978a2c4ce 100644 --- a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_coarse.inst.cfg +++ b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_draft.inst.cfg b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_draft.inst.cfg index 64133540f9..504ca405f2 100644 --- a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_draft.inst.cfg +++ b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_fine.inst.cfg b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_fine.inst.cfg index 513dc08ac3..5866b1cd9e 100644 --- a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_fine.inst.cfg +++ b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_normal.inst.cfg b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_normal.inst.cfg index 7f2f7a1a9c..bc24b127da 100644 --- a/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_normal.inst.cfg +++ b/resources/quality/xyzprinting/nylon/xyzprinting_da_vinci_super_copper_0.40_nylon_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_coarse.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_coarse.inst.cfg index 62a21d0273..92233ea283 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_coarse.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_draft.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_draft.inst.cfg index a13bfbeca3..94b245b752 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_draft.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_fine.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_fine.inst.cfg index 5e29cacbeb..2ee10b585f 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_fine.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_normal.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_normal.inst.cfg index 5fd4827206..5eab80c575 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_normal.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_1p0_pro_copper_0.40_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_coarse.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_coarse.inst.cfg index f75412cef2..39bdce2a73 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_coarse.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_draft.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_draft.inst.cfg index 99fbf037e1..2b604f0574 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_draft.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_fine.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_fine.inst.cfg index c6b4c37db9..407a5b5a1f 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_fine.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_normal.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_normal.inst.cfg index 6e00dd547f..897fd75421 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_normal.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_coarse.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_coarse.inst.cfg index e3ce649722..e6b547b571 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_coarse.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_draft.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_draft.inst.cfg index 1274389f3b..cf82a0ff43 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_draft.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_fine.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_fine.inst.cfg index b15dea93d0..80398c3905 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_fine.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_normal.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_normal.inst.cfg index c8a46cd223..047928bf59 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_normal.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_coarse.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_coarse.inst.cfg index ce7e032f57..ca65aecc3c 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_coarse.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_draft.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_draft.inst.cfg index 11296e9b22..bccc7000f5 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_draft.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_fine.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_fine.inst.cfg index d3f01c37ca..e3b3b8ca84 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_fine.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_normal.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_normal.inst.cfg index 19470704df..9944b65f17 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_normal.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_coarse.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_coarse.inst.cfg index db31cfb041..c2e182a292 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_coarse.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_draft.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_draft.inst.cfg index e07d6db9f3..a82a71aa88 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_draft.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_fine.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_fine.inst.cfg index 1b6d8081ef..48b8837f5a 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_fine.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_normal.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_normal.inst.cfg index 9df283b4d2..ac2f07f066 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_normal.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_jr_w_pro_ss_0.40_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_coarse.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_coarse.inst.cfg index 1630243228..02d35cfe2e 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_coarse.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_draft.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_draft.inst.cfg index ecbe374a14..20b6790bbf 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_draft.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_fine.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_fine.inst.cfg index 2bc68982f8..94ad6f0a72 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_fine.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_normal.inst.cfg b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_normal.inst.cfg index ba88580ba0..b070e16059 100644 --- a/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_normal.inst.cfg +++ b/resources/quality/xyzprinting/petg/xyzprinting_da_vinci_super_copper_0.40_petg_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_coarse.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_coarse.inst.cfg index eb6e0cfd1e..4666ba3ea3 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_draft.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_draft.inst.cfg index 47a15d9ef4..5987389b80 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_fine.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_fine.inst.cfg index 9d243a5428..738e119ff6 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_normal.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_normal.inst.cfg index 53387b1bd8..de4ba3160f 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_coarse.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_coarse.inst.cfg index 00d9f5cd7c..2b25eee6c3 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_draft.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_draft.inst.cfg index b4b9a65594..ee5c9019b7 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_fine.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_fine.inst.cfg index 334feebfc3..66427ad13d 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_normal.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_normal.inst.cfg index 70972e4e6c..9103825e26 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_coarse.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_coarse.inst.cfg index 041586b300..2c1b7ecb46 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_draft.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_draft.inst.cfg index d76e387965..7b0d47b11e 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_fine.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_fine.inst.cfg index 7fabc0b018..ecc0484c42 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_normal.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_normal.inst.cfg index 4e210fb6d0..82fbd49cc6 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_coarse.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_coarse.inst.cfg index 436acb4a83..28e395f849 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_draft.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_draft.inst.cfg index f6a872bd9a..851e1d167e 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_fine.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_fine.inst.cfg index e660da3981..30f81b6797 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_normal.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_normal.inst.cfg index d482ad955e..aa102dd9a4 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_coarse.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_coarse.inst.cfg index 9395757b99..e8fd8e062d 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_draft.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_draft.inst.cfg index 2a270ba79d..34590cab0b 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_fine.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_fine.inst.cfg index 62c7f2dd59..b07650d9e6 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_normal.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_normal.inst.cfg index c3aa604056..ac013f0343 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_coarse.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_coarse.inst.cfg index d0e67346af..0482e36e61 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_draft.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_draft.inst.cfg index b668a4a0ef..8123deb58a 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_fine.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_fine.inst.cfg index 4e55a08849..b7bcec1d73 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_normal.inst.cfg b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_normal.inst.cfg index ce88aeb4ec..d3efb9f586 100644 --- a/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/pla/xyzprinting_da_vinci_super_copper_0.40_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_coarse.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_coarse.inst.cfg index 181700e80a..399b7db820 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_draft.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_draft.inst.cfg index a4d6a1170b..b9f85dcd3f 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_fine.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_fine.inst.cfg index b922605c3a..e6b2e48b13 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_normal.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_normal.inst.cfg index 9955ddd532..bc2a638077 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_1p0_pro_copper_0.40_tough_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_coarse.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_coarse.inst.cfg index 98c442b189..e27de06402 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_draft.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_draft.inst.cfg index e2e502210c..dfe0724569 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_fine.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_fine.inst.cfg index 04dfc7b5b1..6e572f9fb1 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_normal.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_normal.inst.cfg index a4f51a5884..d4efcdee7d 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40_tough_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_coarse.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_coarse.inst.cfg index a56ab85618..41dbf46e9c 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_draft.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_draft.inst.cfg index 157e23e2db..df57ca2d5f 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_fine.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_fine.inst.cfg index 25cad8afac..fbbeca7bb8 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_normal.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_normal.inst.cfg index 758490bee2..5bb0cf8f0c 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40_tough_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_coarse.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_coarse.inst.cfg index 03d11037ad..64af004e74 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_draft.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_draft.inst.cfg index 293e6bc67e..f8c25551d6 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_fine.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_fine.inst.cfg index 9304518bd3..5c267c3c94 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_normal.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_normal.inst.cfg index 3ea2a050b9..08e8d08c8f 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40_tough_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_coarse.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_coarse.inst.cfg index 4a38c38921..1ddf6713e1 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_draft.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_draft.inst.cfg index a9cbaeda44..a9f33805c1 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_fine.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_fine.inst.cfg index 1ac15cfdec..cdac51a11d 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_normal.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_normal.inst.cfg index 0d58faeea9..2f2f84feae 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_jr_w_pro_ss_0.40_tough_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_coarse.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_coarse.inst.cfg index f6498da756..23301eaa67 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_draft.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_draft.inst.cfg index 2eb28df685..527a868504 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_draft.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_fine.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_fine.inst.cfg index 8965a3adff..fdaaf3677d 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_fine.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_normal.inst.cfg b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_normal.inst.cfg index ed5d087fd9..f52c567e7c 100644 --- a/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_normal.inst.cfg +++ b/resources/quality/xyzprinting/tough_pla/xyzprinting_da_vinci_super_copper_0.40_tough_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_coarse.inst.cfg b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_coarse.inst.cfg index a12e69f56b..88a1bff389 100644 --- a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_coarse.inst.cfg +++ b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_draft.inst.cfg b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_draft.inst.cfg index b57d81c005..5d3b3f2290 100644 --- a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_draft.inst.cfg +++ b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_fine.inst.cfg b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_fine.inst.cfg index ae6d6d9bad..9b14b7a7ec 100644 --- a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_fine.inst.cfg +++ b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_normal.inst.cfg b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_normal.inst.cfg index 90df625a3c..d354173c9f 100644 --- a/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_normal.inst.cfg +++ b/resources/quality/xyzprinting/tpu/xyzprinting_da_vinci_super_copper_0.40_tpu_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.10_fine.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.10_fine.inst.cfg index d899116175..22d4f080f6 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.10_fine.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.20_normal.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.20_normal.inst.cfg index 5a8cca87bf..e4bba6ef43 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.20_normal.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.30_draft.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.30_draft.inst.cfg index 9292ba6e66..43732d22bc 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.30_draft.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.40_coarse.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.40_coarse.inst.cfg index 4365260b1a..59851849f2 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.40_coarse.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_1p0_pro_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.10_fine.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.10_fine.inst.cfg index e9688c893f..759d92c12d 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.10_fine.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.20_normal.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.20_normal.inst.cfg index 97540ba13b..f0b985cbbc 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.20_normal.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.30_draft.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.30_draft.inst.cfg index 7f4c99219f..887658e75b 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.30_draft.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.40_coarse.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.40_coarse.inst.cfg index 3a1c7715a3..df36350350 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.40_coarse.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_1p0a_pro_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.10_fine.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.10_fine.inst.cfg index e74e8a996d..927bf458ab 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.10_fine.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.20_normal.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.20_normal.inst.cfg index 042ace6e52..711a072e8d 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.20_normal.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.30_draft.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.30_draft.inst.cfg index 938873151e..d7c9059a53 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.30_draft.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.40_coarse.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.40_coarse.inst.cfg index 7792e7533a..d0d05d205c 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.40_coarse.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xep_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.10_fine.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.10_fine.inst.cfg index 1b898467e3..5f56c8eb12 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.10_fine.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.20_normal.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.20_normal.inst.cfg index eded2891e7..97790a58d1 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.20_normal.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.30_draft.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.30_draft.inst.cfg index 344c937d26..23fb57ee4c 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.30_draft.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.40_coarse.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.40_coarse.inst.cfg index 2def5c2791..f3af960d25 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.40_coarse.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_pro_xp_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.10_fine.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.10_fine.inst.cfg index 72712920e7..d10765c9b5 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.10_fine.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.20_normal.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.20_normal.inst.cfg index 1fff9c1b5b..5f02e6e862 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.20_normal.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.30_draft.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.30_draft.inst.cfg index 795aa9a668..4e046542fe 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.30_draft.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.40_coarse.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.40_coarse.inst.cfg index 1ae83051ef..b091961142 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.40_coarse.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_jr_w_pro_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.10_fine.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.10_fine.inst.cfg index 15105075ee..020671bcbf 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.10_fine.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.10_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 0 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.20_normal.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.20_normal.inst.cfg index 22b7036c29..abc8b5d167 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.20_normal.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.20_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = -1 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.30_draft.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.30_draft.inst.cfg index fc04e1b4a9..1d779df02b 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.30_draft.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.30_draft.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = draft weight = -2 diff --git a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.40_coarse.inst.cfg b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.40_coarse.inst.cfg index f4427c5b80..0b7e1313e1 100644 --- a/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.40_coarse.inst.cfg +++ b/resources/quality/xyzprinting/xyzprinting_da_vinci_super_global_0.40_coarse.inst.cfg @@ -4,7 +4,7 @@ name = Coarse Quality definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = coarse weight = -3 diff --git a/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.05.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.05.inst.cfg index 006b89a18c..1b21f984f5 100644 --- a/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.20_lay0.05 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.10.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.10.inst.cfg index 5c8d380557..06b0388794 100644 --- a/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.20_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.15.inst.cfg index bab81e6168..7cec4e06df 100644 --- a/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.20/zav_abs_nozzle_0.20_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.20_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.05.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.05.inst.cfg index c48fddfd61..c672991542 100644 --- a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.25_lay0.05 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.10.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.10.inst.cfg index 243ec16be6..3195f17062 100644 --- a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.25_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.15.inst.cfg index 391ce46b0f..d2dbd935da 100644 --- a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.25_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.20.inst.cfg index 135f6829e8..1c24d0b55c 100644 --- a/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.25/zav_abs_nozzle_0.25_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.25_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.10.inst.cfg index d63039ad56..3dd9e0a587 100644 --- a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.30_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.15.inst.cfg index c93cc23860..4fa74c83b2 100644 --- a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.30_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.20.inst.cfg index 429ffa9e7d..b0d7b6e137 100644 --- a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.30_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.25.inst.cfg index 5431faf8f9..803a2c034f 100644 --- a/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.30/zav_abs_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.30_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.10.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.10.inst.cfg index 9684ec0251..1014992b36 100644 --- a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.35_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.15.inst.cfg index a977f6a9be..9e8e467aad 100644 --- a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.35_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.20.inst.cfg index e26e7bec9b..d1f760603d 100644 --- a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.35_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.25.inst.cfg index 3bc6eaa28a..9454b32fc4 100644 --- a/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.35/zav_abs_nozzle_0.35_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.35_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.10.inst.cfg index e8de808640..824b2d7584 100644 --- a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.40_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.15.inst.cfg index b81bc0319c..e0464d4dc9 100644 --- a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.40_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.20.inst.cfg index aa31d5ed58..7da7257112 100644 --- a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.40_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.25.inst.cfg index deac4c9dd2..e0c06f3345 100644 --- a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.40_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.30.inst.cfg index d9d30d5b19..2241bcb76b 100644 --- a/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.40/zav_abs_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.40_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.10.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.10.inst.cfg index 35103a9b87..cef96c0898 100644 --- a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.45_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.15.inst.cfg index 0a14f17c44..f15d00327f 100644 --- a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.45_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.20.inst.cfg index d24e74f03b..59e6754aa2 100644 --- a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.45_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.25.inst.cfg index 6dc1eb240d..e5c8acc714 100644 --- a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.45_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.30.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.30.inst.cfg index b4572c820b..c691aebe20 100644 --- a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.45_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.35.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.35.inst.cfg index ab9f10d77d..243f43f9e6 100644 --- a/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.45/zav_abs_nozzle_0.45_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.45_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.15.inst.cfg index 8492acbc82..4169ce8f65 100644 --- a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.50_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.20.inst.cfg index fc960eddff..d9e24979d2 100644 --- a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.50_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.25.inst.cfg index d2e23e4fc5..eb33bcc204 100644 --- a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.50_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.30.inst.cfg index b1de496254..21a48b5661 100644 --- a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.50_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.35.inst.cfg index 9f7120a8c4..3090a9e96a 100644 --- a/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.50/zav_abs_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.50_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.15.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.15.inst.cfg index b88385c2ff..3ffbaa698b 100644 --- a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.60_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.20.inst.cfg index becd79f0e2..4fae6824b0 100644 --- a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.60_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.25.inst.cfg index f2b8aa43c3..5ba6e6d93e 100644 --- a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.60_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.30.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.30.inst.cfg index e6f1689d8f..78595dc756 100644 --- a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.60_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.35.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.35.inst.cfg index a31d94afbd..b20c650d46 100644 --- a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.60_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.40.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.40.inst.cfg index fdd6ce267d..46827ba7c5 100644 --- a/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.60/zav_abs_nozzle_0.60_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.60_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.20.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.20.inst.cfg index acd2cd9be9..ec9d0d58ab 100644 --- a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.80_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.25.inst.cfg index 30fe21adb0..33e05e8302 100644 --- a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.80_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.30.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.30.inst.cfg index 1054efb17c..7266cdf071 100644 --- a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.80_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.35.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.35.inst.cfg index a2506a0057..242d64e81a 100644 --- a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.80_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.40.inst.cfg b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.40.inst.cfg index 8448b0aeb1..c96241b4b9 100644 --- a/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_0.80/zav_abs_nozzle_0.80_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz0.80_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.25.inst.cfg b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.25.inst.cfg index 04f8b3e483..e98bc7cba2 100644 --- a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz1.00_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.30.inst.cfg b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.30.inst.cfg index aff25b3664..ea0bbfeffe 100644 --- a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz1.00_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.35.inst.cfg b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.35.inst.cfg index 4d094a4055..41a7409cd9 100644 --- a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz1.00_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_abs diff --git a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.40.inst.cfg b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.40.inst.cfg index a09ff4a4ea..fb7ab4db7d 100644 --- a/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/abs/nozzle_1.00/zav_abs_nozzle_1.00_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = abs_noz1.00_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_abs diff --git a/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.05.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.05.inst.cfg index 6921ade850..a97f2a6b01 100644 --- a/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.20_lay0.05 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.10.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.10.inst.cfg index 3c87de7544..c52a9465bb 100644 --- a/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.20_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.15.inst.cfg index 5d2b89b92d..6369089f33 100644 --- a/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.20/zav_petg_nozzle_0.20_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.20_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.05.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.05.inst.cfg index bce312d2d6..4486093cd5 100644 --- a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.25_lay0.05 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.10.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.10.inst.cfg index beb3ae940d..f20d9f83ea 100644 --- a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.25_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.15.inst.cfg index 9044522fcf..82f2593ebb 100644 --- a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.25_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.20.inst.cfg index a501da13e4..63476ba2e9 100644 --- a/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.25/zav_petg_nozzle_0.25_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.25_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.10.inst.cfg index c94dcdd97c..708f0ba969 100644 --- a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.30_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.15.inst.cfg index 543c54a867..230dd1e4bd 100644 --- a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.30_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.20.inst.cfg index f2e5f069ab..8b7fbbcdb8 100644 --- a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.30_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.25.inst.cfg index 9b0037a02e..06fba51c64 100644 --- a/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.30/zav_petg_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.30_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.10.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.10.inst.cfg index 29e0b4b873..f93ba52e32 100644 --- a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.35_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.15.inst.cfg index e04de24d7b..0022d8f4ae 100644 --- a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.35_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.20.inst.cfg index c58b3db35b..edb26335aa 100644 --- a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.35_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.25.inst.cfg index 29a6f1ab23..0433d92e29 100644 --- a/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.35/zav_petg_nozzle_0.35_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.35_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.10.inst.cfg index 9732ac8da0..536fa33299 100644 --- a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.40_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.15.inst.cfg index 76b9652588..ffcf31fc93 100644 --- a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.40_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.20.inst.cfg index 203351752b..306bb9b2bf 100644 --- a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.40_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.25.inst.cfg index 2596b13ab0..6636cbda29 100644 --- a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.40_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.30.inst.cfg index eee100af65..a089da5bca 100644 --- a/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.40/zav_petg_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.40_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.10.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.10.inst.cfg index aeb7b88b4e..c2106719af 100644 --- a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.45_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.15.inst.cfg index c771bd7aaa..8b4f4b51c7 100644 --- a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.45_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.20.inst.cfg index 22e2bf6cc2..e3f41f193b 100644 --- a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.45_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.25.inst.cfg index e9d02ee340..f7a6a1fd65 100644 --- a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.45_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.30.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.30.inst.cfg index 1407216040..7b02d71f58 100644 --- a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.45_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.35.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.35.inst.cfg index 110f85d176..51d07e5c86 100644 --- a/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.45/zav_petg_nozzle_0.45_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.45_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.15.inst.cfg index 7deab7f869..8ce318a968 100644 --- a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.50_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.20.inst.cfg index da5ad36ef5..ac9c59a988 100644 --- a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.50_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.25.inst.cfg index c53fd6e3bc..643c870cdf 100644 --- a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.50_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.30.inst.cfg index 2dbb51d554..e4e038da93 100644 --- a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.50_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.35.inst.cfg index 509e596b81..dcacc6db26 100644 --- a/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.50/zav_petg_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.50_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.15.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.15.inst.cfg index ce848760ac..c70d9c3983 100644 --- a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.60_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.20.inst.cfg index 0a7879a163..6a32fe2f54 100644 --- a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.60_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.25.inst.cfg index ae94d6b567..69b7c45f8a 100644 --- a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.60_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.30.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.30.inst.cfg index f18b99891a..98c8981a32 100644 --- a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.60_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.35.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.35.inst.cfg index 5707be8208..ba10a91b5e 100644 --- a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.60_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.40.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.40.inst.cfg index 06b5887208..f69eb77bd8 100644 --- a/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.60/zav_petg_nozzle_0.60_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.60_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.20.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.20.inst.cfg index a72745f6a8..30b335d00a 100644 --- a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.80_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.25.inst.cfg index f4aff5f114..5c42dfcaa4 100644 --- a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.80_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.30.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.30.inst.cfg index 94707805ef..c9128d0e7c 100644 --- a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.80_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.35.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.35.inst.cfg index 03d99f58a2..68abc0abbf 100644 --- a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.80_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.40.inst.cfg b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.40.inst.cfg index 4a53c2ad05..94dc88aec2 100644 --- a/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_0.80/zav_petg_nozzle_0.80_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz0.80_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.25.inst.cfg b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.25.inst.cfg index abf6010cde..79514ae273 100644 --- a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz1.00_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.30.inst.cfg b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.30.inst.cfg index 0f60bdfa5a..7576c64b45 100644 --- a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz1.00_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.35.inst.cfg b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.35.inst.cfg index 5bac16aeac..5f1f8e2106 100644 --- a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz1.00_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_petg diff --git a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.40.inst.cfg b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.40.inst.cfg index a5ef685f53..aaa42e4af4 100644 --- a/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/petg/nozzle_1.00/zav_petg_nozzle_1.00_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = petg_noz1.00_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_petg diff --git a/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.05.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.05.inst.cfg index 274701a452..9cc9256c43 100644 --- a/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.20_lay0.05 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.10.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.10.inst.cfg index e680524aad..22a8882dfb 100644 --- a/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.20_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.15.inst.cfg index fe4af188cc..83f5a4a6d7 100644 --- a/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.20/zav_pla_nozzle_0.20_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.20_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.05.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.05.inst.cfg index 66ab04f663..2eaefe8219 100644 --- a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.25_lay0.05 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.10.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.10.inst.cfg index 9dc3b476ed..bd4e5cb3ed 100644 --- a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.25_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.15.inst.cfg index bbb96439ed..5517ef516e 100644 --- a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.25_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.20.inst.cfg index 1ed7fe929c..5fa944c9bf 100644 --- a/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.25/zav_pla_nozzle_0.25_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.25_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.10.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.10.inst.cfg index be66fc8e56..ece851d4d0 100644 --- a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.30_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.15.inst.cfg index 6cef352483..304d05e5b7 100644 --- a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.30_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.20.inst.cfg index 8d3c64d362..53db44a845 100644 --- a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.30_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.25.inst.cfg index 8a41c04512..202b7d3472 100644 --- a/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.30/zav_pla_nozzle_0.30_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.30_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.10.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.10.inst.cfg index e5bfd0c5c0..44a059020a 100644 --- a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.35_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.15.inst.cfg index 07713c76f0..ca2ea03c5c 100644 --- a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.35_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.20.inst.cfg index fb62299ac2..939cb910df 100644 --- a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.35_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.25.inst.cfg index 2431d66b07..2c3792b067 100644 --- a/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.35/zav_pla_nozzle_0.35_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.35_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.10.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.10.inst.cfg index 429a58582f..4c40ebc8af 100644 --- a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.40_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.15.inst.cfg index 63c485a251..655d1b031a 100644 --- a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.40_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.20.inst.cfg index 224ca48883..6f15d4cba2 100644 --- a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.40_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.25.inst.cfg index 135668224a..fea18bf5a1 100644 --- a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.40_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.30.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.30.inst.cfg index ebf8696209..a8955ec2ca 100644 --- a/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.40/zav_pla_nozzle_0.40_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.40_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.10.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.10.inst.cfg index 26498613e2..7596df4259 100644 --- a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.45_lay0.10 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.15.inst.cfg index 689e1b3b90..8d60c1e7d9 100644 --- a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.45_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.20.inst.cfg index 98860ed1a4..96b51a9338 100644 --- a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.45_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.25.inst.cfg index 4c2d5d7ece..c40dbe1bb7 100644 --- a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.45_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.30.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.30.inst.cfg index a205c9bc2a..463469f66c 100644 --- a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.45_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.35.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.35.inst.cfg index 86dfab0b38..f7362df51e 100644 --- a/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.45/zav_pla_nozzle_0.45_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.45_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.15.inst.cfg index 55681d525d..b03842d770 100644 --- a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.50_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.20.inst.cfg index 44f83ac56b..ee8737305c 100644 --- a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.50_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.25.inst.cfg index 1eefcf4cf9..68ddff68f5 100644 --- a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.50_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.30.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.30.inst.cfg index 5a687ab292..6d36baa747 100644 --- a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.50_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.35.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.35.inst.cfg index 1a31e62973..1c80c6e816 100644 --- a/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.50/zav_pla_nozzle_0.50_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.50_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.15.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.15.inst.cfg index 481e65a75d..4bb6f7e128 100644 --- a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.60_lay0.15 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.20.inst.cfg index b7280abce0..5e871a7d57 100644 --- a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.60_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.25.inst.cfg index 0b8070697e..3f2037dcb8 100644 --- a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.60_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.30.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.30.inst.cfg index 46c5133222..a2c2206ade 100644 --- a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.60_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.35.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.35.inst.cfg index 8ed54efe9e..bcc58b89c0 100644 --- a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.60_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.40.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.40.inst.cfg index 006a13b686..52fc804218 100644 --- a/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.60/zav_pla_nozzle_0.60_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.60_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.20.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.20.inst.cfg index b78b61f87f..076dcb61ec 100644 --- a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.80_lay0.20 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.25.inst.cfg index 49af84af07..3fde2b0c46 100644 --- a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.80_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.30.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.30.inst.cfg index d6de8854bc..19e6dec562 100644 --- a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.80_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.35.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.35.inst.cfg index 6851590449..328f32757c 100644 --- a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.80_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.40.inst.cfg b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.40.inst.cfg index c451d8e361..988dfa1556 100644 --- a/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_0.80/zav_pla_nozzle_0.80_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz0.80_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.25.inst.cfg b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.25.inst.cfg index 2011fab560..9da8318bdd 100644 --- a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz1.00_lay0.25 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.30.inst.cfg b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.30.inst.cfg index f772ed5158..33eb70a6eb 100644 --- a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz1.00_lay0.30 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.35.inst.cfg b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.35.inst.cfg index 7cd0a6cfb0..1eea57e56f 100644 --- a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz1.00_lay0.35 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 material = generic_pla diff --git a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.40.inst.cfg b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.40.inst.cfg index 5aab432b11..bec3820cf9 100644 --- a/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/pla/nozzle_1.00/zav_pla_nozzle_1.00_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = pla_noz1.00_lay0.40 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 material = generic_pla diff --git a/resources/quality/zav_base/zav_layer_0.05.inst.cfg b/resources/quality/zav_base/zav_layer_0.05.inst.cfg index f1449f3036..909b63f6b8 100644 --- a/resources/quality/zav_base/zav_layer_0.05.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.05.inst.cfg @@ -4,7 +4,7 @@ name = Ultra Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_005 weight = -1 diff --git a/resources/quality/zav_base/zav_layer_0.10.inst.cfg b/resources/quality/zav_base/zav_layer_0.10.inst.cfg index 1201019e84..ac2fbc1e99 100644 --- a/resources/quality/zav_base/zav_layer_0.10.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.10.inst.cfg @@ -4,7 +4,7 @@ name = Super Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_010 weight = -2 diff --git a/resources/quality/zav_base/zav_layer_0.15.inst.cfg b/resources/quality/zav_base/zav_layer_0.15.inst.cfg index ff93ea4c55..91b463bbeb 100644 --- a/resources/quality/zav_base/zav_layer_0.15.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.15.inst.cfg @@ -4,7 +4,7 @@ name = Fast Super Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_015 weight = -3 diff --git a/resources/quality/zav_base/zav_layer_0.20.inst.cfg b/resources/quality/zav_base/zav_layer_0.20.inst.cfg index b3d5468c6b..c163c00bdb 100644 --- a/resources/quality/zav_base/zav_layer_0.20.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.20.inst.cfg @@ -4,7 +4,7 @@ name = Standard Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_020 weight = -4 diff --git a/resources/quality/zav_base/zav_layer_0.25.inst.cfg b/resources/quality/zav_base/zav_layer_0.25.inst.cfg index a20609fc53..6e40236be5 100644 --- a/resources/quality/zav_base/zav_layer_0.25.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.25.inst.cfg @@ -4,7 +4,7 @@ name = Fast Standard Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_025 weight = -5 diff --git a/resources/quality/zav_base/zav_layer_0.30.inst.cfg b/resources/quality/zav_base/zav_layer_0.30.inst.cfg index 1c3e8035af..698820750d 100644 --- a/resources/quality/zav_base/zav_layer_0.30.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.30.inst.cfg @@ -4,7 +4,7 @@ name = Fast Print Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_030 weight = -6 diff --git a/resources/quality/zav_base/zav_layer_0.35.inst.cfg b/resources/quality/zav_base/zav_layer_0.35.inst.cfg index e550f72ea7..0cf5838d3d 100644 --- a/resources/quality/zav_base/zav_layer_0.35.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.35.inst.cfg @@ -4,7 +4,7 @@ name = Draft Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_035 weight = -7 diff --git a/resources/quality/zav_base/zav_layer_0.40.inst.cfg b/resources/quality/zav_base/zav_layer_0.40.inst.cfg index 9a2dcbac83..1de575e3a7 100644 --- a/resources/quality/zav_base/zav_layer_0.40.inst.cfg +++ b/resources/quality/zav_base/zav_layer_0.40.inst.cfg @@ -4,7 +4,7 @@ name = Poor Draft Quality definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = ZAV_layer_040 weight = -8 diff --git a/resources/quality/zyyx/zyyx_agile_global_fast.inst.cfg b/resources/quality/zyyx/zyyx_agile_global_fast.inst.cfg index 5cbb179ae9..2bbb604f08 100644 --- a/resources/quality/zyyx/zyyx_agile_global_fast.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_global_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 1 diff --git a/resources/quality/zyyx/zyyx_agile_global_fine.inst.cfg b/resources/quality/zyyx/zyyx_agile_global_fine.inst.cfg index 8b1e44fa72..e38d170586 100644 --- a/resources/quality/zyyx/zyyx_agile_global_fine.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_global_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 1 diff --git a/resources/quality/zyyx/zyyx_agile_global_normal.inst.cfg b/resources/quality/zyyx/zyyx_agile_global_normal.inst.cfg index 6819dab655..cfd89b863c 100644 --- a/resources/quality/zyyx/zyyx_agile_global_normal.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_global_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/zyyx/zyyx_agile_pro_flex_fast.inst.cfg b/resources/quality/zyyx/zyyx_agile_pro_flex_fast.inst.cfg index 6158bd82b8..0fb13aea67 100644 --- a/resources/quality/zyyx/zyyx_agile_pro_flex_fast.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_pro_flex_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 1 diff --git a/resources/quality/zyyx/zyyx_agile_pro_flex_fine.inst.cfg b/resources/quality/zyyx/zyyx_agile_pro_flex_fine.inst.cfg index 950f4b77b3..ff83ce5bc2 100644 --- a/resources/quality/zyyx/zyyx_agile_pro_flex_fine.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_pro_flex_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 1 diff --git a/resources/quality/zyyx/zyyx_agile_pro_flex_normal.inst.cfg b/resources/quality/zyyx/zyyx_agile_pro_flex_normal.inst.cfg index 73970fd48b..53774ca36a 100644 --- a/resources/quality/zyyx/zyyx_agile_pro_flex_normal.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_pro_flex_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/quality/zyyx/zyyx_agile_pro_pla_fast.inst.cfg b/resources/quality/zyyx/zyyx_agile_pro_pla_fast.inst.cfg index 6b34d9c440..084ea161c7 100644 --- a/resources/quality/zyyx/zyyx_agile_pro_pla_fast.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_pro_pla_fast.inst.cfg @@ -4,7 +4,7 @@ name = Fast definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fast weight = 1 diff --git a/resources/quality/zyyx/zyyx_agile_pro_pla_fine.inst.cfg b/resources/quality/zyyx/zyyx_agile_pro_pla_fine.inst.cfg index dceefb4d82..a314855e5f 100644 --- a/resources/quality/zyyx/zyyx_agile_pro_pla_fine.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_pro_pla_fine.inst.cfg @@ -4,7 +4,7 @@ name = Fine definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = fine weight = 1 diff --git a/resources/quality/zyyx/zyyx_agile_pro_pla_normal.inst.cfg b/resources/quality/zyyx/zyyx_agile_pro_pla_normal.inst.cfg index b2bb6a4413..635329f893 100644 --- a/resources/quality/zyyx/zyyx_agile_pro_pla_normal.inst.cfg +++ b/resources/quality/zyyx/zyyx_agile_pro_pla_normal.inst.cfg @@ -4,7 +4,7 @@ name = Normal definition = zyyx_agile [metadata] -setting_version = 18 +setting_version = 19 type = quality quality_type = normal weight = 0 diff --git a/resources/setting_visibility/expert.cfg b/resources/setting_visibility/expert.cfg index f62dd244a8..7882dfda15 100644 --- a/resources/setting_visibility/expert.cfg +++ b/resources/setting_visibility/expert.cfg @@ -133,6 +133,7 @@ support_bottom_material_flow prime_tower_flow material_flow_layer_0 material_standby_temperature +material_alternate_walls [speed] speed_print diff --git a/resources/texts/change_log.txt b/resources/texts/change_log.txt index 3fa598e931..4bfe72cda2 100644 --- a/resources/texts/change_log.txt +++ b/resources/texts/change_log.txt @@ -1,162 +1,292 @@ -[Arachne engine second beta] +[4.12.1] +* Bug fixes +- Updated Shapely to version 1.8.0 which, among other things, fixes multiplying objects on MacOS Monterey +- Fixed a bug in Lightning infill where the infill was printed multiple times under certain circumstances -

    Arachne engine beta 2

    -Our new Ultimaker Cura engine allows you to create parts with ground-breaking quality, strength, and speed. This is made possible by fundamentally redefining how the inside of a model is generated – through adaptive line widths and optimized line positioning.
    -Earlier this year, we released the first beta of Ultimaker Cura Arachne engine. Which received an overwhelmingly positive response, thank you for all your feedback! -Since the first beta release we've been working on improving the Arachne engine.
    -Join our discussion on GitHub to provide us with all your feedback. +[4.12.0] +For an overview of the new features in Cura 4.12, please watch our video. -* Back pressure compensation -Print quality is improved through dynamically adjusting print head velocity, which slows down or speeds up depending on the pressure of the material through the Bowden tube. +* Lightning infill +The new lightning infill setting lets you to print high-quality top layers but is optimized to use less material and increase your production speed. Special thanks to rburema and BagelOrb! -* Printing order filling gaps -Gaps in models are now filled in after placing the outer wall, resulting in less over-extrusion. +* Improved top surface quality +We’ve tweaked the Monotonic setting and made adjustments throughout Ultimaker print profiles. This removes occasional scarring on models and improves top surface quality by default. -* Print quality enhancements -All print quality improvements from Ultimaker Cura 4.12 have been added. +* Improved horizontal print quality +Resulting in reduction of ringing, improving resolution and overall print quality. -* New settings: -- Split Middle Line Threshold -- Add Middle Line Threshold -- Expose the Distribution radius of the Inward Distributed strategy +* App switcher +The new switcher provides a simpler way to navigate and use other Ultimaker applications, including Ultimaker Digital Factory, Ultimaker Marketplace, and Ultimaker 3D Printing Academy. Reporting bugs to Github is now just one click away, and it’s easier to find the application you need. + +* Faster start-up +We've shaved 10 seconds from Ultimaker Cura's start-up time by optimizing profile data caching. + +* Other new features: +- Moved the skip button to the left bottom on the sign in onboarding page and replaced with the sign in button and Create new account +- Add {material_type} and {material_name} as replacement patterns, contributed by fieldOfView +- Update file name after saving +- Make parking optional in all "methods" of Pause at Height, contributed by fieldOfView * Bug fixes: -- Fixed a bug with concentric skin lines -- Fixed memory usage, contributed by Piezoid -- Fixed a bug with opening old project files in Arachne -- Fixed a bug where the width was not adjusted -- Fixed a bug with Line Compactness behaviour was inversed for Central Deviation -- Fixed a bug with tiny movements which caused a nozzle slowdown -- Fixed a bug where blobs in g-code were generated -- Fixed a bug with Minimum Wall Line Width setting was used if Print Thin Walls was disabled -- Fixed a bug where the Inner Line Width was wider thatn the end of the model -- Fixed a bug where Maximum Resolution was not applied for hyperbolic arcs in inner walls -- Fixed a bug where Combing was broken -- Fixed a engine crash within the inset order optimizer with 3 walls, contributed by Piezoid -- Fixed a bug where the Seam placement was not on the correct corner -- Fixed a bug where the centerline of Central Deviation is not generated -- Fixed a bug with Bottom Skin Expand Distance at zero caused skin to expand beyond walls +- Fixed a bug when combing goes through skin on Top Surface Skin Layers +- Fixed a bug in one-at-a-time mode to not wait for initial layer bed temperature if the temperature stays the same +- Fixed a bug where there was double infill and gap filling +- Fixed a bug with monotonic ironing that causes fan speed jump to 255 for ironing pass +- Fixed an engine crash when using monotonic ordering with zigzag skin pattern +- Fixed missing commas in disallowed list for code injections, contributed by YuvalZilber +- Fixed various typos, contributed by luzpaz +- Fixed Filament Change Retract method +- Fixed extra microsegments inserted from Wall Overlap Computation +- Fixed inconsistent material name in the header and material selection dropdown +- Fixed scaling model down after scaling it up with tool handles +- Fixed single instance option when opening different files +- Fixed duplicating and multiplying support blockers +- Fixed a bug where a random 0 was added in end g-code +- Fixed a bug in Tree support in the global and per object settings +- Fixed a bug where special characters in configuration files caused a crash +- Fixed a bug where infill goes through skin +- Fixed a bug where ironing doesn't listen to combing mode +- Fixed a bug related to the translations in the monitor tab -* Known issues: -- Gaps in inner wall where it has enough space to print one line -- Unwanted travel moves when monotonic order in enabled -- Printer pauses at certain layer creating dripping spots -- Retracted unnecessary travel moves +* Printer definitions, profiles and materials: +- Added Creasee CS50S pro, Creasee Skywalker and Creasee Phoenix printer definitions, contributed by ivovk9 +- Added Joyplace Cremaker M V1, M V2, S V1, contributed by hyu7000 +- Added Hellbot printer definitions, contributed by DevelopmentHellbot +- Added Arjun Pro 300 printer definition, contributed by venkatkamesh +- Added AtomStack printer definitions, contributed by zhpt +- Added Weedo X40 printer definition, contributed by x40-Community +- Added 3DI D300 printer definition, contributed by v27jain +- Changed Crealiy Ender 5 Plus end g-code, contributed by mothnox +- Updated definitions and extruders of Hellbot Magna 2 230/300 dual, contributed by DevelopmentHellbot +- Updated Eryone Thinker printer profile, contributed by Eryone +- Updated FLSUN Super Racer profiles, contritubed by Guilouz +- Updated Mega S and X acceleration to firmware default, contributed by NilsRo -*Note: This is _not_ based on a specific stable version of the front-end of Cura (like '4.12.0' or similar), so there may be issues that have been solved or introduced since then that have little or nothing to do with the variable line width feature-set! +* Known bugs with Lighting infill: +- Connect infill polygons doesn't work +- Infill Wipe Distance applies to every polyline +- Infill mesh modifier density +- Infill Overlap doesn't work +- Infill before walls order doesn't respect the order when Lightning is enabled -

    Arachne engine beta 1

    -This is the beta release of Ultimaker Cura's "Arachne" engine. The objective is to fill the available space better with walls, reduce variability in flow rate, preventing gaps and overextrusion and improving path planning by implementing variable line widths. This allows for a more consistent print and better fit to the specifications of the original 3D model. -If you've tried this beta and want to give some feedback, please see the discussion here. -This is a second preview, bringing the engine to a more stable state than the alpha that was released in December. This release should be more appropriate to tune profiles within preparation for the stable release. The stable release will still have its own beta in the same fashion as the ordinary release cycle. -While the bugs and features that greatly influence print quality have been resolved and implemented, there are still some things left to do (see known issues). The profiles have hardly been tuned, even for Ultimaker's own printers. Please don't expect perfection. In fact, the default settings as they are now likely result in a worse print quality than the stable release. -Note: This is _not_ based on a specific stable version of the front-end of Cura (like '4.8.0' or similar), so there may be issues that have been solved or introduced since then that have little or nothing to do with the variable line width feature-set! +[4.11.0] +For an overview of the new features in Cura 4.11, please watch our video. -* New features in Arachne engine beta: +* Monotonic ordering +The new Monotonic top/bottom order setting enables users to print parts with smoother top surfaces. This is especially useful for parts that need good aesthetics, such as visual prototypes. Or for parts that benefit from smooth surfaces, such as those that contact-sensitive components. -* Line Width Color Scheme -A new color scheme has been added that shows the line width of individual lines in layer view. +* Complete UI refresh +Look around and you will notice that we have refreshed over 100 icons throughout Ultimaker Cura. The new icons are designed for clarity – resulting in a simpler and more informative slicing experience. Also, when scaling the Ultimaker Cura window, the UI will adapt, resulting in less visual clutter. -* Static Outer Wall -The outer wall will no longer adjust its width or position if there are any inner walls adjacent to it with the (inward) distributed line width strategy. This reduces ringing effects in thin shapes. +* Improved digital library integration +Collaborative workflows using the Digital Library are now simpler. Every user with a cloud-connected Ultimaker 3D printer can access stored projects. And we have added a “Search” function to make finding files easier. -* Bug fixes -- The Randomize Infill Start setting is now working on Arachne. -- The Infill Travel Optimization setting is now working on Arachne. -- The Infill Layer Thickness and Support Layer Thickness is now working on Arachne. -- Fix crash on MacOS when printing parts with a single wall. -- Fix crash when the model contains very small holes (~0.1mm). -- Fix crash when using Support Infill. -- Fix crash when the model contains faces that are almost exactly parallel. -- Fix crash when simplifying due to Maximum Resolution causes self-intersections to appear in the layer outline. -- Fix crash when multiple transitions come together in the same point. -- Fix crash when transitions between different numbers of walls connect the wrong two perimeters together. -- Infill and support layer thickness should no longer overlap with itself if gradual infill or gradual support is used. -- Only generate connecting wall segments for the sparsest density when using gradual infill or gradual support. -- Sharp corners in the infill volume will no longer be filled with a useless tiny infill line. -- Initial Layer Line Width now only applies to the initial layer again. -- When using Outer Wall Inset, there will no longer be a ridge when transitioning from 2 to 1 wall. -- Outer Wall Wipe Distance will no longer cause unnecessary travel moves. -- Concentric support interface patterns are no longer omitted. -- When Wall Line Count is 0, the rest of the model will no longer be omitted. -- When using different extruders for inner and outer walls, the extruders no longer alternate per layer. -- Small gaps between inner wall and skin are properly filled with infill again. -- Seam position when using Sharpest Corner set to "hide seam" now properly chooses the sharpest inner corner. -- Transitions are no longer omitted in very sharp corners, which sometimes led to too small line widths. -- The outline of the print is no longer shifted towards the bottom left by the Maximum Deviation setting. -- When using Alternate Extra Wall, the extra wall no longer overlaps with skin or infill. +* Save materials profiles to USB +Users can now save all third-party material profiles to USB. This feature is for Ultimaker S-line printers only and is especially useful for cloud-connected (or offline) printers. -* Known issues -- Some models might still crash the engine, although it is less frequent then before. -- Infill support can crash the engine. -- The seam isn't positioned correctly when using the Hide or Expose or Smart Hiding placement options. -- User specified seam is not aligned. -- Paths for concentric ironing aren't generated. -- Concentric support pattern can intersects with model. -- Lines are not always symmetrical in width at the transitioning point to a lower wall count. -- Center line is not generated for centre deviation strategy. -- Missing infill/support walls in certain areas when using Extra Infill/Support Wall Count. -- Brim lines ordered wrongly. -- Raft interface layers and raft layers don't align. -- Connected infill and gradual infill results in overextrusion. -- Bottom Skin Expand Distance at zero causes skin to expand beyond walls. -- Spiralize could generate both inner and outer surfaces. -- Bottom layers of a spiralized model with surface mode enabled, looks like inner walls. -- Last bottom layer might disappear for a spiralized model. -- Stringing when spiralized is enabled. -- Fuzzy skin isn't implemented. -- Connect Top/Bottom polygons isn't implemented. +* Notifications for beta and plugin releases +Users can now set notification preferences to alert them to new Ultimaker Cura beta and plug-in releases. -

    Arachne engine alpha

    +* Improve logging of errors in OAuth flow +When helping a user with log-in problems it is easier to see where the OAuth flow goes wrong. -The Cura Team, as part of and with help from Ultimaker R&D in a more general sense, have been working on a large project that changes the core of how our slicing engine works. -The goal is to have variable line widths (instead of static) for each extrusion, and better path-planning, in order to better fit the eventual printed part to the specifications. -If after you've used this alpha you want to give some feedback (please do, it's the main reason we're doing this), please see the discussion here. -This effort is still ongoing, but we're at the point where we would very much like to have the feedback and input of the wider community. -In order to get this done, we've decided to release an 'Alpha' build, or an early preview. -Not everything has been implemented, and there are even an amount of known bugs (see below), as well as very probably a comparable amount of unknown issues. -On top of that, we added some parameters (and removed a few others). These have hardly been tuned, even for our own printers, let alone 3rd party ones. -In other words, don't expect perfection. In fact, the default settings as they are now are likely to be worse as what's there in a lot of cases. -Note: This is _not_ otherwise build on a specific version (like '4.8.0' or similar), so there may be issues that have been solved or introduced since then that have little or nothing to do with the Variable Line Width feature-set! +* Search in the description in the settings visibility menu +When searching in the settings visibility menu you will also search in the description of the settings. -* New Settings -Variable Line Strategy: How the walls are spread over the available space. -- Central Deviation: Will print all walls at the nominal line width except the central one(s), causing big variations in the center but very consistent outsides. -- Distributed: Distributes the width variations equally over all walls. -- Inward Distributed: Is a balance between the other two, distributing the changes in width over all walls but keeping the walls on the outside slightly more consistent. -- Minimum Variable Line Width: The smallest line width, as a factor of the normal line width, beyond which it will choose to use fewer, but wider lines to fill the available space. Reduce this threshold to use more, thinner lines. Increase to use fewer, wider lines. -- Wall Transition Length: When transitioning between different numbers of walls as the part becomes thinner, a certain amount of space is allotted to split or join the wall lines. -- Wall Transition Angle: When transitioning between different numbers of walls as the part becomes thinner, two adjacent walls will join together at this angle. This can make the walls come together faster than what the Wall Transition Length indicates, filling the space better. -- Wall Transition Filter Distance: If it would be transitioning back and forth between different numbers of walls in quick succession, don't transition at all. Remove transitions if they are closer together than this distance. -- Maximum Extrusion Area Deviation: Influences extrusion line simplification. The maximum extrusion area deviation allowed when removing intermediate points from a straight line. Keeping it low may cause (too) little simplification to occur (with all the problems that causes), but if you increase this you may notice slight under- (or over-) extrusion in between straight parallel walls. +* Bug fixes: +- Fixed the setting visibility button to make it easier to click +- Inform the user that their webcam does not work because they are cloud connected +- Inform the user that their webcam does not work if the firewall is enabled +- Fixed a crash when pressing the slice button while context menu is opened +- Support non-ASCII character in the Digital Library project name +- Fixed integer underflow if print is less than half the initial layer height +- Fixed a bug where infill mesh sometimes default to having walls or skin +- Fix builds with Python 3.8, contributed by StefanBruens +- Fix CC settings for PLA +- Fixed memory leak in Zeroconf 0.25 +- Fixed connecting USB printing with detecting baud-rates, contributed by rrrlasse +- Fixed crash when Cura crashes on exit +- Fixed a bug where the infill goes through walls +- Fixed the version upgrade of preferences file +- Fixed missing icons in deprecated icons list, contributed by fieldOfView +- Fixed a crash in CuraEngine when the prime tower is placed in an invalid position +- Fixed a bug when user is unable to sign in on Linux if a Keyring backend is installed +- Fixed the rotation direction of the 90 degrees rotation arrows, contributed by fieldOfView -* Removed/Renamed/Altered Settings -- Print Thin Walls: Behaviour altered. -- Optimize Wall Printing Order is renamed to Order Inner Walls By Inset. Behaviour altered. +* Printer definitions, profiles and materials: +- Added SecKit SK-Tank, SK-Go printer definitions, contributed by SecKit +- Added MP Mini Delta 2 printer definition, contributed by PurpleHullPeas +- Added Kingroon K3P and K3PS printer definitions, contributed by NoTaMu +- Added Eryone PLA, PLA Wood, PLA Matte and PETG 1.75mm profiles, contributed by dapostol73 +- Added BIQU BX printer definition, contributed by looxonline +- Added FLSun Super race printer definitions, contributed by thushan +- Added Atom 2.0 and Atom Plus printer definitions, contributed by lin-ycv +- Added PBR 3D Gen-I printer definition, contributed by pbr-research +- Added Creasee 3D printer definitions, contributed by ivovk9 +- Updated Strateo3D profiles, contributed by ChronosTech +- Added Voron V0 printer definitions, contributed by jgehrig +- Updated Liquid profiles, contributed by alexgrigoras +- Added Farm 2 and Farm2CE printer definitions, contributed by saliery999 +- Added GooFoo and Renkforce print definitions and GooFoo materials, contributed by goofoo3d -* To Implement -Not all initially planned sub-features are in yet, any subsequent non-patch releases will probably contain more. +*From version 4.11 onwards - Ultimaker Cura is only supported on operating systems actively maintained by their software manufacturer or community. This means Windows 7 and MacOS 10.13 will no longer be supported. Technically this means Ultimaker will stop testing and developing for such operating systems. However, even though it is no longer supported, there is still a high likelihood the application keeps functioning. -* Known Issues: -- SkeletalTrapezoidation not robust to unsimplified input. For very intricate and or small models, crashes may occur. Please attach any crashing model to the discussion/feedback link above. -- Different extruders for inner and outer walls. The used extruder alternate each layer but the inner and outer wall are printed with the same extruder (used at that layer) +[4.10.0] +For an overview of the new features in Cura 4.10, please watch our video. -* Spiralize bugs: -- Bottom layers issue in spiralize mode. -- Stringing when in spiralized mode. -- Last bottom layer missing for some models. -- Support not being correctly generated. It might start mid-air or not providing enough support for some parts of the model. -- Gradual infill support not being correctly generated. Support walls don't seem to be printed well when gradual infill support is enabled. Ultimaker printers enable this by default for PVA. -- Combing in the wrong part when printing dual extrusion Visible, for example, when printing with dual extrusion with two different colors. E.g.: 'Bleeding' of red into white parts. -- Printed travel moves. -- Gaps between inner wall and skin. -- Z-Seam Sharpest Corner broken. The seam is not placed in the sharpest corner -- Small line width and overlap. When using the Center Deviation setting on a thin model some wall lines may overlap or leave a gap. -- Wall positioning is imprecise. On some models, the walls are not centered properly within the outline nor have the correct width. -- Connected and gradual infill results in overextrusion. When gradual infill and connect infill lines is enabled, it'll connect different pieces of infill on top of each other, causing overextrusion. -- Connect Top/Bottom polygon not working currently. The issue occurs when concentric is the infill pattern. -- Small travel line segments in infill/support. This is causing unnecessary traveling and stringing. -- Wrong Infill Layer Thickness. In combination with a higher Extra Infill Line Count, some parts are not generating infill lines. -- Inward/Distributed overextrusion. Seen on models with multiplied infill walls. -- Overlapping skin and alternating wall. The extra wall at each alternating step will overlap with the skin -- Assertion failure in SkeletalTrapezoidation. Can cause the engine to crash on certain models. +*Native CAD import plugin +Ultimaker Professional and Excellence subscribers can now directly import native CAD files into Ultimaker Cura. +Enable this feature by downloading the Native CAD import plugin from the Ultimaker marketplace. + +*Flow visualization +In preview mode you can now visualize the flow. Contributed by khani3s. + +*Show loading plugins on startup +When starting Cura you will now see which plugins Cura is loading. + +*Add Z position parameter to FilamentChange +With the FilamentChange script you can now control all 3 coordinates. + +*Allow FilamentChange script to use Marlin M600 configuration +Contributed by Sekisback. + +*Double click on file in Digital Factory +When double clicking on a file in the open project dialog in Digital Factory it will now open in Cura. + +* Bug Fixes +- Fixed temperature exceptions for UM2+C material profiles. +- Fixed a bug where pause at height stops all extrusion if relative extrusion is used. +- Fixed authentication issues when logging into UM account. Contributed by fieldOfView. +- Fixed the pause-at-height retract with Repetier-flavour. +- Fixed erasing z-coordinate in the move tool to the value of 0. +- Fixed the limit range of layer view to only visible structures. +- Fixed a bug where Cura crashes when scaling a model on Linux. +- Fixed path minimum limit. +- Fixed a bug when using right to left language numbers were overlaying on text in the print settings. +- Fixed edge case with disabling bridging. +- Fixed a bug where some names with Unicode characters crashes Cura when trying to authorize. +- Fixed renaming groups. Contributed by fieldOfView. +- Fixed a bug when the seam was not placed in sharpest corner. +- Fixed the gantry height for S-line printers. +- Fixed a bug where a model is partially below build plate if center selected model is used. +- Fixed a bug where a tooltip arrow appeared when the "Manage printers" button is hovered. +- Fixed a bug where assemblies were not arranged in the center of the build plate. + +* Printer definitions, profiles and materials. +- Add CC0.4 core and materials for S3 and S5. +- Updated Axi machine start gcodes, contributed by Synsuiter. +- Volumic 3D printer definitions, contributed by VOLUMIC. +- Anycubic Mega X and Anycubic Mega S, contributed by NilsRo. +- Updated Deltacomb printer profiles, contributed by kaleidoscopeit. +- eMotionTech Strateo3D materials and profiles, contributed by ChronosTech. +- Sovol SV03, contributed by balacij. +- Two Trees Bluer, Bluer Plus, Sapphire Pro and Sapphire Plus, contributed by Lester3DGadgets. +- Update Skriware 2, contributed by Lukkoz. +- Longer LK1, LK1 Pro, LK1 Plus, LK4, LK4 Pro, LK5, LK5 Plus and Cube 2, contributed by lowkeyjoe. +- Mingda D3, D4 and Rock3, contributed by cataclism. +- JGAurora A6, contributed by CrissR. + +*Please, be aware that after version 4.10 Ultimaker Cura will only be supported on operating systems actively maintained by their software manufacturer or community. This means Windows 7 and MacOS 10.13 will no longer be supported. Technically this means Ultimaker will stop testing and developing for such operating systems. However, even though it is no longer supported, there is still a high likelihood the application keeps functioning. + +[4.9.1] +* PETG Profile update. +Ultimaker PETG profiles have been added. The Generic PETG profile for 2.85mm filaments has been updated as well. + +* Bug Fixes +- The second extruder should now prime properly again when using a prime blob. +- Reduced the flood of QML errors in the log file. Contributed by fieldOfView. +- Fixed a crash when entering layer view on MacOS 10.13.6. Contributed by jwrw. +- Fixed a crash when there was an inaccessible X: drive in Windows. Cura should no longer try to access the X: drive now. + +[4.9.0] +For an overview of the new features in Cura 4.9, please watch our video. + +* Digital factory integration. +Now you can open files directly from Digital Library projects. Then, after preparation, quickly and easily export them back. This feature is available for all users with an Ultimaker Essentials, Professional, or Excellence subscription. Learn more + +* "Line type" is now the default color scheme. +When entering the Preview mode, you don't have to switch manually to line type. + +* Z-seam is now clearly shown in preview mode. +This ensures that you will know whether the seam will be sufficiently hidden in the end product. This will also indicate the starting point of the print. + Thanks to BasF0 for contributing to this feature + +* New 'line width' color-scheme available in preview mode. +Line-width can now be selected as a color-scheme in preview mode. + +* Weight estimation in decimals. +This provides a more detailed idea of the amount of material used - which is especially useful for smaller prints. + +* Split Shell category into Walls and Top/Bottom. +The shell category was a mix of settings about walls and settings about top/bottom, splitting them into two categories makes more sense. + +* Post-processing script to embed screenshot in g-code. +The ability to have thumbnails embedded. Contributed by Gravedigger7789. + +* Add checkbox for Extruder Offsets. +Ability to enable or disable the extruder offsets to gcode. This will be enabled by default, unless it is in the printer's def.json file. Contributed by RFBomb. + +* Cura should work properly on MacOS 'Big Sur' now, afforded by upgrades to Python (to 3.8) and Qt (to 5.15). +If you had (UX, visual, graphics card) problems, specifically on (newer) MacOS versions, like Big Sur, you should be able to use this new version. + +* Bug Fixes +- Fixed a security vulnerability on windows permitting the openssl library used to launch other programs. Thanks to Xavier Danest for raising this bug. +- Fixed Connect Top/Bottom Polygons. +- Fixed closing Marketplace after quitting Cura. +- Fixed clicking on Marketplace button to go to web Marketplace. +- Fixed Pause at Height when using Repetier flavour. Contributed by EGOiST1991. +- Fixed correct desity for current PETG filaments. Contributed by kad. +- Fixed Pause at height post processing script that returns to right position. +- Fixed layer view being grayed out after reslicing. +- Fixed fan speed issue due to reuse of empty extruder plan. +- Fixed loading OBJ files with no texture references, but does have normal references. +- Fixed retraction/priming while extruder switches. Contributed by sisu70. +- Fixed loading script from all registered resource path. Contributed by fieldOfView. +- Fixed typeError: define_round_method. Contributed by Sophist-UK. +- Fixed missing layer with Hole Horizontal Expansion. +- Fixed Tree Support Floor layers. Contributed by ThomasRahm. +- Fixed Top Surface Skin Layers if Top layers = 0. +- Fixed recent files on opening as project. +- Fixed opening project file from command-line. +- Fixed thumbnail in UFP files. +- Fixed validator for floats in Machine Settings dialog. Contributed by fieldOfView. +- Fixed recessed areas at the bottom of a model while using Make Overhangs Printable. Contributed by OpusMcN. +- Fixed slicing grouped models if one of the group parts is below Z=0. +- Fixed material temperatures and fan speed for Anycubic i3 Mega. Contributed by trunneml. +- Fixed drop model down to buildplate when always drop to buildplate is disabled. +- Fixed drop objects to buildplate after scaling. +- Fixed disallowed areas while using Brim Line Widths. +- Fixed message for non manifold models. +- Fixed setting category arrows. Contributed by fieldOfView. +- Fixed metadate tags for 3MF files. +- Fixed engine crash when using low-density Cross Infill. +- Improved performance of loading .def.json files. + +* Printer definitions, profiles and materials +- 3DFuel Pro PLA and SnapSupport materials, contributed by grk3010. +- Cubincon Style NeoA31, contributed by HUNIBESTHyVISION. +- Eryone thinker series and Eryone ER20, contributed by Eryone. +- Flashforge DreamerNX, contributed by KeltE. +- Fused Form FF300, contributed by FusedForm. +- Geeetech A10 improved start and end gcode, contributed by TheTRCG. +- ideagen3D Sapphire and ideagen3D Sapphire Plus, contributed by Firedrops. +- INAT Proton X printers, contributed by MarkINAT. +- Koonovo, contributed by KOONOVO3DPRINTER. +- Liquid, contributed by alexgrigoras. +- Lulzbot TAZ Pro and Lulzbot Mini 2, contributed by spotrh. +- Maker Made 300x printer, contributed by skilescm. +- MINGDA D2, contributed by cataclism. +- Snapmaker 2.0, contributed by maihde. +- Sri Vignan Technologies, contributed by venkatkamesh. +- Syndaver AXI Machine, contributed by synsuiter. +- Tinyboy Fabricator Mini 1.5, contributed by reibuehl. +- Trimaker printers, contributed by tomasbaldi. +- TwoTrees Bluer, contributed by WashingtonJunior. +- Update Hellbot Magna 1 and Hellbot Magna dual, contributed by DevelopmentHellbot. +- Update Rigid3D and added Rigid3D Mucit2, contributed by mehmetsutas. +- Update TPU profiles for 0.6mm nozzle of UM2+C. +- ZAV series, contributed by kimer2002. + +[4.8.0] + +The release notes of versions <= 4.8.0 can be found in our releases GitHub page. diff --git a/resources/themes/cura-light/icons/low/ErrorBadge.svg b/resources/themes/cura-light/icons/low/ErrorBadge.svg new file mode 100644 index 0000000000..a4df126394 --- /dev/null +++ b/resources/themes/cura-light/icons/low/ErrorBadge.svg @@ -0,0 +1,4 @@ + + + + diff --git a/resources/themes/cura-light/icons/low/WarningBadge.svg b/resources/themes/cura-light/icons/low/WarningBadge.svg new file mode 100644 index 0000000000..63a77919d4 --- /dev/null +++ b/resources/themes/cura-light/icons/low/WarningBadge.svg @@ -0,0 +1,4 @@ + + + + diff --git a/resources/themes/cura-light/theme.json b/resources/themes/cura-light/theme.json index 9dc3d8d114..f59231d960 100644 --- a/resources/themes/cura-light/theme.json +++ b/resources/themes/cura-light/theme.json @@ -472,7 +472,9 @@ "monitor_carousel_dot_current": [119, 119, 119, 255], "cloud_unavailable": [153, 153, 153, 255], - "connection_badge_background": [255, 255, 255, 255] + "connection_badge_background": [255, 255, 255, 255], + "warning_badge_background": [0, 0, 0, 255], + "error_badge_background": [255, 255, 255, 255] }, "sizes": { diff --git a/resources/variants/Leapfrog_Bolt_Pro_Brass_0.4.inst.cfg b/resources/variants/Leapfrog_Bolt_Pro_Brass_0.4.inst.cfg index 889636834f..264c11c430 100644 --- a/resources/variants/Leapfrog_Bolt_Pro_Brass_0.4.inst.cfg +++ b/resources/variants/Leapfrog_Bolt_Pro_Brass_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/Leapfrog_Bolt_Pro_NozzleX_0.4.inst.cfg b/resources/variants/Leapfrog_Bolt_Pro_NozzleX_0.4.inst.cfg index 7897f46e78..d0dc97d493 100644 --- a/resources/variants/Leapfrog_Bolt_Pro_NozzleX_0.4.inst.cfg +++ b/resources/variants/Leapfrog_Bolt_Pro_NozzleX_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = leapfrog_bolt_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/Mark2_for_Ultimaker2_0.25.inst.cfg b/resources/variants/Mark2_for_Ultimaker2_0.25.inst.cfg index 9951ef34be..6a6157afeb 100644 --- a/resources/variants/Mark2_for_Ultimaker2_0.25.inst.cfg +++ b/resources/variants/Mark2_for_Ultimaker2_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = Mark2_for_Ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/Mark2_for_Ultimaker2_0.4.inst.cfg b/resources/variants/Mark2_for_Ultimaker2_0.4.inst.cfg index 3dc717c243..a07166cf8f 100644 --- a/resources/variants/Mark2_for_Ultimaker2_0.4.inst.cfg +++ b/resources/variants/Mark2_for_Ultimaker2_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = Mark2_for_Ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/Mark2_for_Ultimaker2_0.6.inst.cfg b/resources/variants/Mark2_for_Ultimaker2_0.6.inst.cfg index 17c371702d..fdb36fd291 100644 --- a/resources/variants/Mark2_for_Ultimaker2_0.6.inst.cfg +++ b/resources/variants/Mark2_for_Ultimaker2_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = Mark2_for_Ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/Mark2_for_Ultimaker2_0.8.inst.cfg b/resources/variants/Mark2_for_Ultimaker2_0.8.inst.cfg index 70c31cb01a..32556fb2d7 100644 --- a/resources/variants/Mark2_for_Ultimaker2_0.8.inst.cfg +++ b/resources/variants/Mark2_for_Ultimaker2_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = Mark2_for_Ultimaker2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.2.inst.cfg b/resources/variants/arjun300_0.2.inst.cfg index 4b0c6aa597..28e1394fb3 100644 --- a/resources/variants/arjun300_0.2.inst.cfg +++ b/resources/variants/arjun300_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.3.inst.cfg b/resources/variants/arjun300_0.3.inst.cfg index 55fc1d685c..e2a4de82d3 100644 --- a/resources/variants/arjun300_0.3.inst.cfg +++ b/resources/variants/arjun300_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.4.inst.cfg b/resources/variants/arjun300_0.4.inst.cfg index ea61165ad5..df62f3d307 100644 --- a/resources/variants/arjun300_0.4.inst.cfg +++ b/resources/variants/arjun300_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.5.inst.cfg b/resources/variants/arjun300_0.5.inst.cfg index 2c45535af8..e13e11a4fc 100644 --- a/resources/variants/arjun300_0.5.inst.cfg +++ b/resources/variants/arjun300_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.6.inst.cfg b/resources/variants/arjun300_0.6.inst.cfg index cb5e62434b..736a09d7da 100644 --- a/resources/variants/arjun300_0.6.inst.cfg +++ b/resources/variants/arjun300_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_0.8.inst.cfg b/resources/variants/arjun300_0.8.inst.cfg index 2d7831e409..86248008f4 100644 --- a/resources/variants/arjun300_0.8.inst.cfg +++ b/resources/variants/arjun300_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_dm_0.2.inst.cfg b/resources/variants/arjun300_dm_0.2.inst.cfg index cefcb5386b..91ceca9d78 100644 --- a/resources/variants/arjun300_dm_0.2.inst.cfg +++ b/resources/variants/arjun300_dm_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_dm_0.3.inst.cfg b/resources/variants/arjun300_dm_0.3.inst.cfg index 8094004e61..1c1a679a4e 100644 --- a/resources/variants/arjun300_dm_0.3.inst.cfg +++ b/resources/variants/arjun300_dm_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_dm_0.4.inst.cfg b/resources/variants/arjun300_dm_0.4.inst.cfg index 0e2b8eb765..ce1b7cf789 100644 --- a/resources/variants/arjun300_dm_0.4.inst.cfg +++ b/resources/variants/arjun300_dm_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_dm_0.5.inst.cfg b/resources/variants/arjun300_dm_0.5.inst.cfg index 781bee3fbe..c99dad97c3 100644 --- a/resources/variants/arjun300_dm_0.5.inst.cfg +++ b/resources/variants/arjun300_dm_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_dm_0.6.inst.cfg b/resources/variants/arjun300_dm_0.6.inst.cfg index 9602f1ac5c..c64914d604 100644 --- a/resources/variants/arjun300_dm_0.6.inst.cfg +++ b/resources/variants/arjun300_dm_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_dm_0.8.inst.cfg b/resources/variants/arjun300_dm_0.8.inst.cfg index 5cf1e1c8c9..d6eae842c2 100644 --- a/resources/variants/arjun300_dm_0.8.inst.cfg +++ b/resources/variants/arjun300_dm_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_mm_0.2.inst.cfg b/resources/variants/arjun300_mm_0.2.inst.cfg index 5255ccbdf2..a25c3ae8aa 100644 --- a/resources/variants/arjun300_mm_0.2.inst.cfg +++ b/resources/variants/arjun300_mm_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_mm_0.3.inst.cfg b/resources/variants/arjun300_mm_0.3.inst.cfg index fe3422a6aa..309c83eba6 100644 --- a/resources/variants/arjun300_mm_0.3.inst.cfg +++ b/resources/variants/arjun300_mm_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_mm_0.4.inst.cfg b/resources/variants/arjun300_mm_0.4.inst.cfg index a95fc2945f..1097370920 100644 --- a/resources/variants/arjun300_mm_0.4.inst.cfg +++ b/resources/variants/arjun300_mm_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_mm_0.5.inst.cfg b/resources/variants/arjun300_mm_0.5.inst.cfg index dbedf444d7..8f7f8fb133 100644 --- a/resources/variants/arjun300_mm_0.5.inst.cfg +++ b/resources/variants/arjun300_mm_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_mm_0.6.inst.cfg b/resources/variants/arjun300_mm_0.6.inst.cfg index 020e64f76b..be351215d3 100644 --- a/resources/variants/arjun300_mm_0.6.inst.cfg +++ b/resources/variants/arjun300_mm_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_mm_0.8.inst.cfg b/resources/variants/arjun300_mm_0.8.inst.cfg index e34ba3dd0a..1158443bf9 100644 --- a/resources/variants/arjun300_mm_0.8.inst.cfg +++ b/resources/variants/arjun300_mm_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjun_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_pva_0.2.inst.cfg b/resources/variants/arjun300_pva_0.2.inst.cfg index 8193ca9437..81ce7fc4e8 100644 --- a/resources/variants/arjun300_pva_0.2.inst.cfg +++ b/resources/variants/arjun300_pva_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_pva_0.3.inst.cfg b/resources/variants/arjun300_pva_0.3.inst.cfg index cfd807e11e..1563a7b63b 100644 --- a/resources/variants/arjun300_pva_0.3.inst.cfg +++ b/resources/variants/arjun300_pva_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_pva_0.4.inst.cfg b/resources/variants/arjun300_pva_0.4.inst.cfg index b3974039f3..6ee87b8a2f 100644 --- a/resources/variants/arjun300_pva_0.4.inst.cfg +++ b/resources/variants/arjun300_pva_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_pva_0.5.inst.cfg b/resources/variants/arjun300_pva_0.5.inst.cfg index 18b91c6b30..836260d4b2 100644 --- a/resources/variants/arjun300_pva_0.5.inst.cfg +++ b/resources/variants/arjun300_pva_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_pva_0.6.inst.cfg b/resources/variants/arjun300_pva_0.6.inst.cfg index 7781fbb388..2bea7e7af5 100644 --- a/resources/variants/arjun300_pva_0.6.inst.cfg +++ b/resources/variants/arjun300_pva_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjun300_pva_0.8.inst.cfg b/resources/variants/arjun300_pva_0.8.inst.cfg index 9621c78b18..6b00ed5d27 100644 --- a/resources/variants/arjun300_pva_0.8.inst.cfg +++ b/resources/variants/arjun300_pva_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjun300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_0.2.inst.cfg b/resources/variants/arjunpro300_0.2.inst.cfg index ac4546724f..51b359bfab 100644 --- a/resources/variants/arjunpro300_0.2.inst.cfg +++ b/resources/variants/arjunpro300_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_0.3.inst.cfg b/resources/variants/arjunpro300_0.3.inst.cfg index 20d9ff9ecd..4d647df100 100644 --- a/resources/variants/arjunpro300_0.3.inst.cfg +++ b/resources/variants/arjunpro300_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_0.4.inst.cfg b/resources/variants/arjunpro300_0.4.inst.cfg index 3ed283c827..d17e90e245 100644 --- a/resources/variants/arjunpro300_0.4.inst.cfg +++ b/resources/variants/arjunpro300_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_0.5.inst.cfg b/resources/variants/arjunpro300_0.5.inst.cfg index 2cfbf0956d..61bdaf0ab9 100644 --- a/resources/variants/arjunpro300_0.5.inst.cfg +++ b/resources/variants/arjunpro300_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_0.6.inst.cfg b/resources/variants/arjunpro300_0.6.inst.cfg index d58bfc1604..905162b547 100644 --- a/resources/variants/arjunpro300_0.6.inst.cfg +++ b/resources/variants/arjunpro300_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_0.8.inst.cfg b/resources/variants/arjunpro300_0.8.inst.cfg index e49f9aa5ae..f12ef67d30 100644 --- a/resources/variants/arjunpro300_0.8.inst.cfg +++ b/resources/variants/arjunpro300_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_dm_0.2.inst.cfg b/resources/variants/arjunpro300_dm_0.2.inst.cfg index 33063f8db3..6b61519d07 100644 --- a/resources/variants/arjunpro300_dm_0.2.inst.cfg +++ b/resources/variants/arjunpro300_dm_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_dm_0.3.inst.cfg b/resources/variants/arjunpro300_dm_0.3.inst.cfg index fdcedf8861..3570f3b57f 100644 --- a/resources/variants/arjunpro300_dm_0.3.inst.cfg +++ b/resources/variants/arjunpro300_dm_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_dm_0.4.inst.cfg b/resources/variants/arjunpro300_dm_0.4.inst.cfg index c3a27ab388..e3ede604ab 100644 --- a/resources/variants/arjunpro300_dm_0.4.inst.cfg +++ b/resources/variants/arjunpro300_dm_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_dm_0.5.inst.cfg b/resources/variants/arjunpro300_dm_0.5.inst.cfg index 834c23948d..ada64e3553 100644 --- a/resources/variants/arjunpro300_dm_0.5.inst.cfg +++ b/resources/variants/arjunpro300_dm_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_dm_0.6.inst.cfg b/resources/variants/arjunpro300_dm_0.6.inst.cfg index 35a5393520..47d80f5a4f 100644 --- a/resources/variants/arjunpro300_dm_0.6.inst.cfg +++ b/resources/variants/arjunpro300_dm_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_dm_0.8.inst.cfg b/resources/variants/arjunpro300_dm_0.8.inst.cfg index 5a19294fec..a34524e268 100644 --- a/resources/variants/arjunpro300_dm_0.8.inst.cfg +++ b/resources/variants/arjunpro300_dm_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_mm_0.2.inst.cfg b/resources/variants/arjunpro300_mm_0.2.inst.cfg index 13fa6fcc3b..9630a9e30b 100644 --- a/resources/variants/arjunpro300_mm_0.2.inst.cfg +++ b/resources/variants/arjunpro300_mm_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_mm_0.3.inst.cfg b/resources/variants/arjunpro300_mm_0.3.inst.cfg index 17d35111c3..09d397ddea 100644 --- a/resources/variants/arjunpro300_mm_0.3.inst.cfg +++ b/resources/variants/arjunpro300_mm_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_mm_0.4.inst.cfg b/resources/variants/arjunpro300_mm_0.4.inst.cfg index 210b481dd4..49b7851df7 100644 --- a/resources/variants/arjunpro300_mm_0.4.inst.cfg +++ b/resources/variants/arjunpro300_mm_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_mm_0.5.inst.cfg b/resources/variants/arjunpro300_mm_0.5.inst.cfg index 641b145bda..dfbf3662c3 100644 --- a/resources/variants/arjunpro300_mm_0.5.inst.cfg +++ b/resources/variants/arjunpro300_mm_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_mm_0.6.inst.cfg b/resources/variants/arjunpro300_mm_0.6.inst.cfg index 0032b0b11f..c13c5cf82b 100644 --- a/resources/variants/arjunpro300_mm_0.6.inst.cfg +++ b/resources/variants/arjunpro300_mm_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_mm_0.8.inst.cfg b/resources/variants/arjunpro300_mm_0.8.inst.cfg index 698536792a..feffb6846c 100644 --- a/resources/variants/arjunpro300_mm_0.8.inst.cfg +++ b/resources/variants/arjunpro300_mm_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro_mirrored [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_pva_0.2.inst.cfg b/resources/variants/arjunpro300_pva_0.2.inst.cfg index 59b74b4532..1abc708060 100644 --- a/resources/variants/arjunpro300_pva_0.2.inst.cfg +++ b/resources/variants/arjunpro300_pva_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_pva_0.3.inst.cfg b/resources/variants/arjunpro300_pva_0.3.inst.cfg index bd5570d736..5cb59930c1 100644 --- a/resources/variants/arjunpro300_pva_0.3.inst.cfg +++ b/resources/variants/arjunpro300_pva_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_pva_0.4.inst.cfg b/resources/variants/arjunpro300_pva_0.4.inst.cfg index d6dcb6439c..c2f5c68480 100644 --- a/resources/variants/arjunpro300_pva_0.4.inst.cfg +++ b/resources/variants/arjunpro300_pva_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_pva_0.5.inst.cfg b/resources/variants/arjunpro300_pva_0.5.inst.cfg index b2fd7ec7c9..6b985fb06b 100644 --- a/resources/variants/arjunpro300_pva_0.5.inst.cfg +++ b/resources/variants/arjunpro300_pva_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_pva_0.6.inst.cfg b/resources/variants/arjunpro300_pva_0.6.inst.cfg index 0df4c95724..6bfea88e1a 100644 --- a/resources/variants/arjunpro300_pva_0.6.inst.cfg +++ b/resources/variants/arjunpro300_pva_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/arjunpro300_pva_0.8.inst.cfg b/resources/variants/arjunpro300_pva_0.8.inst.cfg index 82e411d55f..7cc066e19d 100644 --- a/resources/variants/arjunpro300_pva_0.8.inst.cfg +++ b/resources/variants/arjunpro300_pva_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = arjunpro300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_base_0.2.inst.cfg b/resources/variants/artillery_base_0.2.inst.cfg index 1e47f408ec..8820151e01 100644 --- a/resources/variants/artillery_base_0.2.inst.cfg +++ b/resources/variants/artillery_base_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_base_0.3.inst.cfg b/resources/variants/artillery_base_0.3.inst.cfg index f071b3c192..00d6a9853d 100644 --- a/resources/variants/artillery_base_0.3.inst.cfg +++ b/resources/variants/artillery_base_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_base_0.4.inst.cfg b/resources/variants/artillery_base_0.4.inst.cfg index c1e76ba0f3..19352f56ca 100644 --- a/resources/variants/artillery_base_0.4.inst.cfg +++ b/resources/variants/artillery_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_base_0.6.inst.cfg b/resources/variants/artillery_base_0.6.inst.cfg index 6b6c049c13..711b4a9d0d 100644 --- a/resources/variants/artillery_base_0.6.inst.cfg +++ b/resources/variants/artillery_base_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_base_0.8.inst.cfg b/resources/variants/artillery_base_0.8.inst.cfg index eea05bcd3f..580760ace0 100644 --- a/resources/variants/artillery_base_0.8.inst.cfg +++ b/resources/variants/artillery_base_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_base_1.0.inst.cfg b/resources/variants/artillery_base_1.0.inst.cfg index 0de63b4c0e..dc2ab732ba 100644 --- a/resources/variants/artillery_base_1.0.inst.cfg +++ b/resources/variants/artillery_base_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_0.2.inst.cfg b/resources/variants/artillery_genius_0.2.inst.cfg index 81502a0949..8289611572 100644 --- a/resources/variants/artillery_genius_0.2.inst.cfg +++ b/resources/variants/artillery_genius_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_0.3.inst.cfg b/resources/variants/artillery_genius_0.3.inst.cfg index 9e3ea7b46c..ce51db1d54 100644 --- a/resources/variants/artillery_genius_0.3.inst.cfg +++ b/resources/variants/artillery_genius_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_0.4.inst.cfg b/resources/variants/artillery_genius_0.4.inst.cfg index 240311ea0c..627fda3609 100644 --- a/resources/variants/artillery_genius_0.4.inst.cfg +++ b/resources/variants/artillery_genius_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_0.5.inst.cfg b/resources/variants/artillery_genius_0.5.inst.cfg index 4cfcb85dac..6c5f1f88ff 100644 --- a/resources/variants/artillery_genius_0.5.inst.cfg +++ b/resources/variants/artillery_genius_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_0.6.inst.cfg b/resources/variants/artillery_genius_0.6.inst.cfg index f1a0dc396e..affbb1c0ca 100644 --- a/resources/variants/artillery_genius_0.6.inst.cfg +++ b/resources/variants/artillery_genius_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_0.8.inst.cfg b/resources/variants/artillery_genius_0.8.inst.cfg index ad5c1071ad..f0003fe425 100644 --- a/resources/variants/artillery_genius_0.8.inst.cfg +++ b/resources/variants/artillery_genius_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_genius_1.0.inst.cfg b/resources/variants/artillery_genius_1.0.inst.cfg index 47cd797774..4de4523080 100644 --- a/resources/variants/artillery_genius_1.0.inst.cfg +++ b/resources/variants/artillery_genius_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_genius [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_sidewinder_x1_0.2.inst.cfg b/resources/variants/artillery_sidewinder_x1_0.2.inst.cfg index 026baa0f50..31f33352f5 100644 --- a/resources/variants/artillery_sidewinder_x1_0.2.inst.cfg +++ b/resources/variants/artillery_sidewinder_x1_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_sidewinder_x1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_sidewinder_x1_0.3.inst.cfg b/resources/variants/artillery_sidewinder_x1_0.3.inst.cfg index 5769b7a461..4858d84f17 100644 --- a/resources/variants/artillery_sidewinder_x1_0.3.inst.cfg +++ b/resources/variants/artillery_sidewinder_x1_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_sidewinder_x1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_sidewinder_x1_0.4.inst.cfg b/resources/variants/artillery_sidewinder_x1_0.4.inst.cfg index 6393bf91de..636dd39ae6 100644 --- a/resources/variants/artillery_sidewinder_x1_0.4.inst.cfg +++ b/resources/variants/artillery_sidewinder_x1_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_sidewinder_x1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_sidewinder_x1_0.6.inst.cfg b/resources/variants/artillery_sidewinder_x1_0.6.inst.cfg index f4b2f38621..11d0ab2aef 100644 --- a/resources/variants/artillery_sidewinder_x1_0.6.inst.cfg +++ b/resources/variants/artillery_sidewinder_x1_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_sidewinder_x1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_sidewinder_x1_0.8.inst.cfg b/resources/variants/artillery_sidewinder_x1_0.8.inst.cfg index 02ede6d294..508893fee6 100644 --- a/resources/variants/artillery_sidewinder_x1_0.8.inst.cfg +++ b/resources/variants/artillery_sidewinder_x1_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_sidewinder_x1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/artillery_sidewinder_x1_1.0.inst.cfg b/resources/variants/artillery_sidewinder_x1_1.0.inst.cfg index 50bcaf5adc..dfa2c7306a 100644 --- a/resources/variants/artillery_sidewinder_x1_1.0.inst.cfg +++ b/resources/variants/artillery_sidewinder_x1_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = artillery_sidewinder_x1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_asterion_ht_v6_0.40.inst.cfg b/resources/variants/atmat_asterion_ht_v6_0.40.inst.cfg index dfa70d5719..3e5c143491 100644 --- a/resources/variants/atmat_asterion_ht_v6_0.40.inst.cfg +++ b/resources/variants/atmat_asterion_ht_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_asterion_ht [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_asterion_ht_v6_0.80.inst.cfg b/resources/variants/atmat_asterion_ht_v6_0.80.inst.cfg index ba2b7dea95..8aa95acf28 100644 --- a/resources/variants/atmat_asterion_ht_v6_0.80.inst.cfg +++ b/resources/variants/atmat_asterion_ht_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_asterion_ht [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_asterion_v6_0.40.inst.cfg b/resources/variants/atmat_asterion_v6_0.40.inst.cfg index 0b8284d5ae..5c44df239b 100644 --- a/resources/variants/atmat_asterion_v6_0.40.inst.cfg +++ b/resources/variants/atmat_asterion_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_asterion [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_asterion_v6_0.80.inst.cfg b/resources/variants/atmat_asterion_v6_0.80.inst.cfg index 4d68fa528b..c1f33484e1 100644 --- a/resources/variants/atmat_asterion_v6_0.80.inst.cfg +++ b/resources/variants/atmat_asterion_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_asterion [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_galaxy_500_v6_0.40.inst.cfg b/resources/variants/atmat_galaxy_500_v6_0.40.inst.cfg index 948fe2730e..99fe393d5b 100644 --- a/resources/variants/atmat_galaxy_500_v6_0.40.inst.cfg +++ b/resources/variants/atmat_galaxy_500_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_galaxy_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_galaxy_500_v6_0.80.inst.cfg b/resources/variants/atmat_galaxy_500_v6_0.80.inst.cfg index d8e908b8ae..694545e190 100644 --- a/resources/variants/atmat_galaxy_500_v6_0.80.inst.cfg +++ b/resources/variants/atmat_galaxy_500_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_galaxy_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_galaxy_600_v6_0.40.inst.cfg b/resources/variants/atmat_galaxy_600_v6_0.40.inst.cfg index ba5b7ad8ce..967cc2f30c 100644 --- a/resources/variants/atmat_galaxy_600_v6_0.40.inst.cfg +++ b/resources/variants/atmat_galaxy_600_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_galaxy_600 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_galaxy_600_v6_0.80.inst.cfg b/resources/variants/atmat_galaxy_600_v6_0.80.inst.cfg index b9984d9dc3..4b9ef175ba 100644 --- a/resources/variants/atmat_galaxy_600_v6_0.80.inst.cfg +++ b/resources/variants/atmat_galaxy_600_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_galaxy_600 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_300_v1_v6_0.40.inst.cfg b/resources/variants/atmat_signal_pro_300_v1_v6_0.40.inst.cfg index b3b411bedb..b1928c2e04 100644 --- a/resources/variants/atmat_signal_pro_300_v1_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_pro_300_v1_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_300_v1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_300_v1_v6_0.80.inst.cfg b/resources/variants/atmat_signal_pro_300_v1_v6_0.80.inst.cfg index d0fc43e9af..0ba93ebcb9 100644 --- a/resources/variants/atmat_signal_pro_300_v1_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_pro_300_v1_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_300_v1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_300_v2_v6_0.40.inst.cfg b/resources/variants/atmat_signal_pro_300_v2_v6_0.40.inst.cfg index 57fe7263e5..80b1adc5a9 100644 --- a/resources/variants/atmat_signal_pro_300_v2_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_pro_300_v2_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_300_v2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_300_v2_v6_0.80.inst.cfg b/resources/variants/atmat_signal_pro_300_v2_v6_0.80.inst.cfg index aeee39bea0..203e3fcc90 100644 --- a/resources/variants/atmat_signal_pro_300_v2_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_pro_300_v2_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_300_v2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_400_v1_v6_0.40.inst.cfg b/resources/variants/atmat_signal_pro_400_v1_v6_0.40.inst.cfg index a7deed73c4..f05d906298 100644 --- a/resources/variants/atmat_signal_pro_400_v1_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_pro_400_v1_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_400_v1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_400_v1_v6_0.80.inst.cfg b/resources/variants/atmat_signal_pro_400_v1_v6_0.80.inst.cfg index afc65daacd..59ed128beb 100644 --- a/resources/variants/atmat_signal_pro_400_v1_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_pro_400_v1_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_400_v1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_400_v2_v6_0.40.inst.cfg b/resources/variants/atmat_signal_pro_400_v2_v6_0.40.inst.cfg index c30f8b0bab..5e0357aa29 100644 --- a/resources/variants/atmat_signal_pro_400_v2_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_pro_400_v2_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_400_v2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_400_v2_v6_0.80.inst.cfg b/resources/variants/atmat_signal_pro_400_v2_v6_0.80.inst.cfg index 233b4c9273..c405e533d6 100644 --- a/resources/variants/atmat_signal_pro_400_v2_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_pro_400_v2_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_400_v2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_500_v1_v6_0.40.inst.cfg b/resources/variants/atmat_signal_pro_500_v1_v6_0.40.inst.cfg index 21a435b263..4af1edbfb2 100644 --- a/resources/variants/atmat_signal_pro_500_v1_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_pro_500_v1_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_500_v1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_500_v1_v6_0.80.inst.cfg b/resources/variants/atmat_signal_pro_500_v1_v6_0.80.inst.cfg index c783108f31..4bbbc3ee5e 100644 --- a/resources/variants/atmat_signal_pro_500_v1_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_pro_500_v1_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_500_v1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_500_v2_v6_0.40.inst.cfg b/resources/variants/atmat_signal_pro_500_v2_v6_0.40.inst.cfg index e1366041c7..c58a9ec971 100644 --- a/resources/variants/atmat_signal_pro_500_v2_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_pro_500_v2_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_500_v2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_pro_500_v2_v6_0.80.inst.cfg b/resources/variants/atmat_signal_pro_500_v2_v6_0.80.inst.cfg index f5b5901d1b..3f5ae61d9a 100644 --- a/resources/variants/atmat_signal_pro_500_v2_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_pro_500_v2_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_pro_500_v2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_xl_v6_0.40.inst.cfg b/resources/variants/atmat_signal_xl_v6_0.40.inst.cfg index 70d9585b49..7057acf885 100644 --- a/resources/variants/atmat_signal_xl_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_xl_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_xl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_xl_v6_0.80.inst.cfg b/resources/variants/atmat_signal_xl_v6_0.80.inst.cfg index bde8552920..44e0d6e36e 100644 --- a/resources/variants/atmat_signal_xl_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_xl_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_xl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_xxl_v6_0.40.inst.cfg b/resources/variants/atmat_signal_xxl_v6_0.40.inst.cfg index cdd5466729..b98f652020 100644 --- a/resources/variants/atmat_signal_xxl_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_xxl_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_xxl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_xxl_v6_0.80.inst.cfg b/resources/variants/atmat_signal_xxl_v6_0.80.inst.cfg index 50518bbdf4..7c6f51a41e 100644 --- a/resources/variants/atmat_signal_xxl_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_xxl_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_xxl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_xxxl_v6_0.40.inst.cfg b/resources/variants/atmat_signal_xxxl_v6_0.40.inst.cfg index be254bb255..a63c2d74a4 100644 --- a/resources/variants/atmat_signal_xxxl_v6_0.40.inst.cfg +++ b/resources/variants/atmat_signal_xxxl_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_xxxl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atmat_signal_xxxl_v6_0.80.inst.cfg b/resources/variants/atmat_signal_xxxl_v6_0.80.inst.cfg index ab00deb4a3..855c1d4c8f 100644 --- a/resources/variants/atmat_signal_xxxl_v6_0.80.inst.cfg +++ b/resources/variants/atmat_signal_xxxl_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atmat_signal_xxxl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_all_metal_brass_0.2.inst.cfg b/resources/variants/atom3_all_metal_brass_0.2.inst.cfg index 8671d7dd2a..4f782295c2 100644 --- a/resources/variants/atom3_all_metal_brass_0.2.inst.cfg +++ b/resources/variants/atom3_all_metal_brass_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_all_metal_brass_0.4.inst.cfg b/resources/variants/atom3_all_metal_brass_0.4.inst.cfg index 8db3d74cf9..105f05bad0 100644 --- a/resources/variants/atom3_all_metal_brass_0.4.inst.cfg +++ b/resources/variants/atom3_all_metal_brass_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_all_metal_brass_0.6.inst.cfg b/resources/variants/atom3_all_metal_brass_0.6.inst.cfg index 5fbc843daa..14a94299f4 100644 --- a/resources/variants/atom3_all_metal_brass_0.6.inst.cfg +++ b/resources/variants/atom3_all_metal_brass_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_lite_all_metal_brass_0.2.inst.cfg b/resources/variants/atom3_lite_all_metal_brass_0.2.inst.cfg index 108bce9d8c..db719ad8cb 100644 --- a/resources/variants/atom3_lite_all_metal_brass_0.2.inst.cfg +++ b/resources/variants/atom3_lite_all_metal_brass_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3_lite [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_lite_all_metal_brass_0.4.inst.cfg b/resources/variants/atom3_lite_all_metal_brass_0.4.inst.cfg index 05de6fc0e6..1c601403f0 100644 --- a/resources/variants/atom3_lite_all_metal_brass_0.4.inst.cfg +++ b/resources/variants/atom3_lite_all_metal_brass_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3_lite [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_lite_all_metal_brass_0.6.inst.cfg b/resources/variants/atom3_lite_all_metal_brass_0.6.inst.cfg index a9f7ed3eeb..cedb7ad6ea 100644 --- a/resources/variants/atom3_lite_all_metal_brass_0.6.inst.cfg +++ b/resources/variants/atom3_lite_all_metal_brass_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3_lite [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_lite_ptfe_brass_0.2.inst.cfg b/resources/variants/atom3_lite_ptfe_brass_0.2.inst.cfg index 2aeded799e..27281bd4de 100644 --- a/resources/variants/atom3_lite_ptfe_brass_0.2.inst.cfg +++ b/resources/variants/atom3_lite_ptfe_brass_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3_lite [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_lite_ptfe_brass_0.4.inst.cfg b/resources/variants/atom3_lite_ptfe_brass_0.4.inst.cfg index 21ed458aec..776715f9eb 100644 --- a/resources/variants/atom3_lite_ptfe_brass_0.4.inst.cfg +++ b/resources/variants/atom3_lite_ptfe_brass_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3_lite [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_lite_ptfe_brass_0.6.inst.cfg b/resources/variants/atom3_lite_ptfe_brass_0.6.inst.cfg index c12ef9839f..6edbe165a8 100644 --- a/resources/variants/atom3_lite_ptfe_brass_0.6.inst.cfg +++ b/resources/variants/atom3_lite_ptfe_brass_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3_lite [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_ptfe_brass_0.2.inst.cfg b/resources/variants/atom3_ptfe_brass_0.2.inst.cfg index aed73c36ef..20edb60d2a 100644 --- a/resources/variants/atom3_ptfe_brass_0.2.inst.cfg +++ b/resources/variants/atom3_ptfe_brass_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_ptfe_brass_0.4.inst.cfg b/resources/variants/atom3_ptfe_brass_0.4.inst.cfg index 6002d757a3..356e8ec022 100644 --- a/resources/variants/atom3_ptfe_brass_0.4.inst.cfg +++ b/resources/variants/atom3_ptfe_brass_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/atom3_ptfe_brass_0.6.inst.cfg b/resources/variants/atom3_ptfe_brass_0.6.inst.cfg index 24651d03df..c021ec3d57 100644 --- a/resources/variants/atom3_ptfe_brass_0.6.inst.cfg +++ b/resources/variants/atom3_ptfe_brass_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = atom3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_0.2.inst.cfg b/resources/variants/biqu_b1_0.2.inst.cfg index db9f0b215b..624524391d 100755 --- a/resources/variants/biqu_b1_0.2.inst.cfg +++ b/resources/variants/biqu_b1_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_0.3.inst.cfg b/resources/variants/biqu_b1_0.3.inst.cfg index 89f9fb0e6c..e113f9e2c3 100755 --- a/resources/variants/biqu_b1_0.3.inst.cfg +++ b/resources/variants/biqu_b1_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_0.4.inst.cfg b/resources/variants/biqu_b1_0.4.inst.cfg index f74ef1caa2..0344c3f680 100755 --- a/resources/variants/biqu_b1_0.4.inst.cfg +++ b/resources/variants/biqu_b1_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_0.5.inst.cfg b/resources/variants/biqu_b1_0.5.inst.cfg index ec64133c7b..d1cc4b293d 100755 --- a/resources/variants/biqu_b1_0.5.inst.cfg +++ b/resources/variants/biqu_b1_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_0.6.inst.cfg b/resources/variants/biqu_b1_0.6.inst.cfg index bca5f2d229..5d8d3482d5 100755 --- a/resources/variants/biqu_b1_0.6.inst.cfg +++ b/resources/variants/biqu_b1_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_0.8.inst.cfg b/resources/variants/biqu_b1_0.8.inst.cfg index bf2d7a905c..f7d04235e0 100755 --- a/resources/variants/biqu_b1_0.8.inst.cfg +++ b/resources/variants/biqu_b1_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_abl_0.2.inst.cfg b/resources/variants/biqu_b1_abl_0.2.inst.cfg index 3e8fc8d41e..dae85a4476 100755 --- a/resources/variants/biqu_b1_abl_0.2.inst.cfg +++ b/resources/variants/biqu_b1_abl_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_abl_0.3.inst.cfg b/resources/variants/biqu_b1_abl_0.3.inst.cfg index 6c79ee7f5b..9433b3114b 100755 --- a/resources/variants/biqu_b1_abl_0.3.inst.cfg +++ b/resources/variants/biqu_b1_abl_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_abl_0.4.inst.cfg b/resources/variants/biqu_b1_abl_0.4.inst.cfg index feb0320c17..8694a56470 100755 --- a/resources/variants/biqu_b1_abl_0.4.inst.cfg +++ b/resources/variants/biqu_b1_abl_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_abl_0.5.inst.cfg b/resources/variants/biqu_b1_abl_0.5.inst.cfg index 7864040def..ab06c05da1 100755 --- a/resources/variants/biqu_b1_abl_0.5.inst.cfg +++ b/resources/variants/biqu_b1_abl_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_abl_0.6.inst.cfg b/resources/variants/biqu_b1_abl_0.6.inst.cfg index 013ab6bfb3..e6d6ba7b29 100755 --- a/resources/variants/biqu_b1_abl_0.6.inst.cfg +++ b/resources/variants/biqu_b1_abl_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_b1_abl_0.8.inst.cfg b/resources/variants/biqu_b1_abl_0.8.inst.cfg index 882810f7d0..7780509ab2 100755 --- a/resources/variants/biqu_b1_abl_0.8.inst.cfg +++ b/resources/variants/biqu_b1_abl_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_b1_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_base_0.2.inst.cfg b/resources/variants/biqu_base_0.2.inst.cfg index fc38a6594a..0203f151cf 100755 --- a/resources/variants/biqu_base_0.2.inst.cfg +++ b/resources/variants/biqu_base_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_base_0.3.inst.cfg b/resources/variants/biqu_base_0.3.inst.cfg index 43975662dd..6705355176 100755 --- a/resources/variants/biqu_base_0.3.inst.cfg +++ b/resources/variants/biqu_base_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_base_0.4.inst.cfg b/resources/variants/biqu_base_0.4.inst.cfg index f6f11cd9ed..31e3b80430 100755 --- a/resources/variants/biqu_base_0.4.inst.cfg +++ b/resources/variants/biqu_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_base_0.5.inst.cfg b/resources/variants/biqu_base_0.5.inst.cfg index 3902af2e7c..29ded2ba1b 100755 --- a/resources/variants/biqu_base_0.5.inst.cfg +++ b/resources/variants/biqu_base_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_base_0.6.inst.cfg b/resources/variants/biqu_base_0.6.inst.cfg index ec3af0377e..4bf0f81c64 100755 --- a/resources/variants/biqu_base_0.6.inst.cfg +++ b/resources/variants/biqu_base_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_base_0.8.inst.cfg b/resources/variants/biqu_base_0.8.inst.cfg index 5b1f91bd70..c48f3e940f 100755 --- a/resources/variants/biqu_base_0.8.inst.cfg +++ b/resources/variants/biqu_base_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_bx_abl_0.2.inst.cfg b/resources/variants/biqu_bx_abl_0.2.inst.cfg index c0be203ce1..19b350c5d8 100755 --- a/resources/variants/biqu_bx_abl_0.2.inst.cfg +++ b/resources/variants/biqu_bx_abl_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_bx_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_bx_abl_0.3.inst.cfg b/resources/variants/biqu_bx_abl_0.3.inst.cfg index 210f6a1432..866cfd5e98 100755 --- a/resources/variants/biqu_bx_abl_0.3.inst.cfg +++ b/resources/variants/biqu_bx_abl_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_bx_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_bx_abl_0.4.inst.cfg b/resources/variants/biqu_bx_abl_0.4.inst.cfg index 40c2061c36..fbb8fa45f1 100755 --- a/resources/variants/biqu_bx_abl_0.4.inst.cfg +++ b/resources/variants/biqu_bx_abl_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_bx_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_bx_abl_0.5.inst.cfg b/resources/variants/biqu_bx_abl_0.5.inst.cfg index 61ec25fe1b..cbe2b5da38 100755 --- a/resources/variants/biqu_bx_abl_0.5.inst.cfg +++ b/resources/variants/biqu_bx_abl_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_bx_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_bx_abl_0.6.inst.cfg b/resources/variants/biqu_bx_abl_0.6.inst.cfg index 8b7a6394b5..36de930e66 100755 --- a/resources/variants/biqu_bx_abl_0.6.inst.cfg +++ b/resources/variants/biqu_bx_abl_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_bx_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/biqu_bx_abl_0.8.inst.cfg b/resources/variants/biqu_bx_abl_0.8.inst.cfg index 704d098000..60e0922c3a 100755 --- a/resources/variants/biqu_bx_abl_0.8.inst.cfg +++ b/resources/variants/biqu_bx_abl_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = biqu_bx_abl [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/cartesio_0.25.inst.cfg b/resources/variants/cartesio_0.25.inst.cfg index 4cbfd24097..63cdf7df6d 100644 --- a/resources/variants/cartesio_0.25.inst.cfg +++ b/resources/variants/cartesio_0.25.inst.cfg @@ -5,7 +5,7 @@ definition = cartesio [metadata] author = Cartesio -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/cartesio_0.4.inst.cfg b/resources/variants/cartesio_0.4.inst.cfg index d6792d09b8..77602cdb26 100644 --- a/resources/variants/cartesio_0.4.inst.cfg +++ b/resources/variants/cartesio_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = cartesio [metadata] author = Cartesio -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/cartesio_0.8.inst.cfg b/resources/variants/cartesio_0.8.inst.cfg index ea2216c74e..5f9647df26 100644 --- a/resources/variants/cartesio_0.8.inst.cfg +++ b/resources/variants/cartesio_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = cartesio [metadata] author = Cartesio -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/crazy3dprint_base_0.40.inst.cfg b/resources/variants/crazy3dprint_base_0.40.inst.cfg index 8728c046c8..358d998c79 100644 --- a/resources/variants/crazy3dprint_base_0.40.inst.cfg +++ b/resources/variants/crazy3dprint_base_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = crazy3dprint_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/crazy3dprint_cz_300_0.40.inst.cfg b/resources/variants/crazy3dprint_cz_300_0.40.inst.cfg index 4ed6ea7b4b..8339bbd381 100644 --- a/resources/variants/crazy3dprint_cz_300_0.40.inst.cfg +++ b/resources/variants/crazy3dprint_cz_300_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = crazy3dprint_cz_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_0.2.inst.cfg b/resources/variants/creality_base_0.2.inst.cfg index 59a7d44abc..8f0a40120b 100644 --- a/resources/variants/creality_base_0.2.inst.cfg +++ b/resources/variants/creality_base_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_0.3.inst.cfg b/resources/variants/creality_base_0.3.inst.cfg index 335e0e6363..1e51cf1309 100644 --- a/resources/variants/creality_base_0.3.inst.cfg +++ b/resources/variants/creality_base_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_0.4.inst.cfg b/resources/variants/creality_base_0.4.inst.cfg index 3d91669416..dd25165387 100644 --- a/resources/variants/creality_base_0.4.inst.cfg +++ b/resources/variants/creality_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_0.5.inst.cfg b/resources/variants/creality_base_0.5.inst.cfg index 6646922a25..3c67a2b17a 100644 --- a/resources/variants/creality_base_0.5.inst.cfg +++ b/resources/variants/creality_base_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_0.6.inst.cfg b/resources/variants/creality_base_0.6.inst.cfg index 8bf961c9cf..595f08ce9f 100644 --- a/resources/variants/creality_base_0.6.inst.cfg +++ b/resources/variants/creality_base_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_0.8.inst.cfg b/resources/variants/creality_base_0.8.inst.cfg index 6da3a2e535..e802444553 100644 --- a/resources/variants/creality_base_0.8.inst.cfg +++ b/resources/variants/creality_base_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_base_1.0.inst.cfg b/resources/variants/creality_base_1.0.inst.cfg index 3b8fc043e6..00809f859b 100644 --- a/resources/variants/creality_base_1.0.inst.cfg +++ b/resources/variants/creality_base_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_0.2.inst.cfg b/resources/variants/creality_cr10_0.2.inst.cfg index bdc7d91dd3..ff4ad9c52b 100644 --- a/resources/variants/creality_cr10_0.2.inst.cfg +++ b/resources/variants/creality_cr10_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_0.3.inst.cfg b/resources/variants/creality_cr10_0.3.inst.cfg index d735dae3fa..e2a882fddc 100644 --- a/resources/variants/creality_cr10_0.3.inst.cfg +++ b/resources/variants/creality_cr10_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_0.4.inst.cfg b/resources/variants/creality_cr10_0.4.inst.cfg index 3edb74898a..b0707ffa77 100644 --- a/resources/variants/creality_cr10_0.4.inst.cfg +++ b/resources/variants/creality_cr10_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_0.5.inst.cfg b/resources/variants/creality_cr10_0.5.inst.cfg index b98a54dc06..85ef1b321c 100644 --- a/resources/variants/creality_cr10_0.5.inst.cfg +++ b/resources/variants/creality_cr10_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_0.6.inst.cfg b/resources/variants/creality_cr10_0.6.inst.cfg index e0cfcd241f..7deb4f87cc 100644 --- a/resources/variants/creality_cr10_0.6.inst.cfg +++ b/resources/variants/creality_cr10_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_0.8.inst.cfg b/resources/variants/creality_cr10_0.8.inst.cfg index 97cca77c70..5333e9eda3 100644 --- a/resources/variants/creality_cr10_0.8.inst.cfg +++ b/resources/variants/creality_cr10_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10_1.0.inst.cfg b/resources/variants/creality_cr10_1.0.inst.cfg index 8730cd9add..8bbf0d6d8a 100644 --- a/resources/variants/creality_cr10_1.0.inst.cfg +++ b/resources/variants/creality_cr10_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_0.2.inst.cfg b/resources/variants/creality_cr10max_0.2.inst.cfg index c666d88bf0..c68e4d75ec 100644 --- a/resources/variants/creality_cr10max_0.2.inst.cfg +++ b/resources/variants/creality_cr10max_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_0.3.inst.cfg b/resources/variants/creality_cr10max_0.3.inst.cfg index 0a8455c54b..6fe08b3141 100644 --- a/resources/variants/creality_cr10max_0.3.inst.cfg +++ b/resources/variants/creality_cr10max_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_0.4.inst.cfg b/resources/variants/creality_cr10max_0.4.inst.cfg index 5823695ec6..196cc45e2f 100644 --- a/resources/variants/creality_cr10max_0.4.inst.cfg +++ b/resources/variants/creality_cr10max_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_0.5.inst.cfg b/resources/variants/creality_cr10max_0.5.inst.cfg index 729996bf86..0f312703c9 100644 --- a/resources/variants/creality_cr10max_0.5.inst.cfg +++ b/resources/variants/creality_cr10max_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_0.6.inst.cfg b/resources/variants/creality_cr10max_0.6.inst.cfg index a58a1e6e99..81ec964fe5 100644 --- a/resources/variants/creality_cr10max_0.6.inst.cfg +++ b/resources/variants/creality_cr10max_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_0.8.inst.cfg b/resources/variants/creality_cr10max_0.8.inst.cfg index 7c4b92e6cd..00247c0223 100644 --- a/resources/variants/creality_cr10max_0.8.inst.cfg +++ b/resources/variants/creality_cr10max_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10max_1.0.inst.cfg b/resources/variants/creality_cr10max_1.0.inst.cfg index 4422fc4e93..39d30ca72d 100644 --- a/resources/variants/creality_cr10max_1.0.inst.cfg +++ b/resources/variants/creality_cr10max_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_0.2.inst.cfg b/resources/variants/creality_cr10mini_0.2.inst.cfg index 233d773a41..88f513ee2d 100644 --- a/resources/variants/creality_cr10mini_0.2.inst.cfg +++ b/resources/variants/creality_cr10mini_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_0.3.inst.cfg b/resources/variants/creality_cr10mini_0.3.inst.cfg index 6aac318f2e..31d3de552c 100644 --- a/resources/variants/creality_cr10mini_0.3.inst.cfg +++ b/resources/variants/creality_cr10mini_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_0.4.inst.cfg b/resources/variants/creality_cr10mini_0.4.inst.cfg index 220d2da2e2..c435c68c74 100644 --- a/resources/variants/creality_cr10mini_0.4.inst.cfg +++ b/resources/variants/creality_cr10mini_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_0.5.inst.cfg b/resources/variants/creality_cr10mini_0.5.inst.cfg index 21c72dc072..b1c3028541 100644 --- a/resources/variants/creality_cr10mini_0.5.inst.cfg +++ b/resources/variants/creality_cr10mini_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_0.6.inst.cfg b/resources/variants/creality_cr10mini_0.6.inst.cfg index 49efa7c2ed..c9d5996e5e 100644 --- a/resources/variants/creality_cr10mini_0.6.inst.cfg +++ b/resources/variants/creality_cr10mini_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_0.8.inst.cfg b/resources/variants/creality_cr10mini_0.8.inst.cfg index 563c605595..1208698772 100644 --- a/resources/variants/creality_cr10mini_0.8.inst.cfg +++ b/resources/variants/creality_cr10mini_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10mini_1.0.inst.cfg b/resources/variants/creality_cr10mini_1.0.inst.cfg index 768c0eca28..d684540590 100644 --- a/resources/variants/creality_cr10mini_1.0.inst.cfg +++ b/resources/variants/creality_cr10mini_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_0.2.inst.cfg b/resources/variants/creality_cr10s4_0.2.inst.cfg index b712775162..49692ce4de 100644 --- a/resources/variants/creality_cr10s4_0.2.inst.cfg +++ b/resources/variants/creality_cr10s4_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_0.3.inst.cfg b/resources/variants/creality_cr10s4_0.3.inst.cfg index 15cb2e01cf..891abb5120 100644 --- a/resources/variants/creality_cr10s4_0.3.inst.cfg +++ b/resources/variants/creality_cr10s4_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_0.4.inst.cfg b/resources/variants/creality_cr10s4_0.4.inst.cfg index 883e959618..8b817f9641 100644 --- a/resources/variants/creality_cr10s4_0.4.inst.cfg +++ b/resources/variants/creality_cr10s4_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_0.5.inst.cfg b/resources/variants/creality_cr10s4_0.5.inst.cfg index a4ef8c691b..fed818f80e 100644 --- a/resources/variants/creality_cr10s4_0.5.inst.cfg +++ b/resources/variants/creality_cr10s4_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_0.6.inst.cfg b/resources/variants/creality_cr10s4_0.6.inst.cfg index 17f7cb676c..21fad584a6 100644 --- a/resources/variants/creality_cr10s4_0.6.inst.cfg +++ b/resources/variants/creality_cr10s4_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_0.8.inst.cfg b/resources/variants/creality_cr10s4_0.8.inst.cfg index 7b28598c56..a7219e020c 100644 --- a/resources/variants/creality_cr10s4_0.8.inst.cfg +++ b/resources/variants/creality_cr10s4_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s4_1.0.inst.cfg b/resources/variants/creality_cr10s4_1.0.inst.cfg index 2904d0aafa..c6b4f06656 100644 --- a/resources/variants/creality_cr10s4_1.0.inst.cfg +++ b/resources/variants/creality_cr10s4_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_0.2.inst.cfg b/resources/variants/creality_cr10s5_0.2.inst.cfg index 2a889654a1..25f2ba0dfe 100644 --- a/resources/variants/creality_cr10s5_0.2.inst.cfg +++ b/resources/variants/creality_cr10s5_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_0.3.inst.cfg b/resources/variants/creality_cr10s5_0.3.inst.cfg index 54918be4a6..6aa15dde3d 100644 --- a/resources/variants/creality_cr10s5_0.3.inst.cfg +++ b/resources/variants/creality_cr10s5_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_0.4.inst.cfg b/resources/variants/creality_cr10s5_0.4.inst.cfg index 3690c1affc..ddae1462a9 100644 --- a/resources/variants/creality_cr10s5_0.4.inst.cfg +++ b/resources/variants/creality_cr10s5_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_0.5.inst.cfg b/resources/variants/creality_cr10s5_0.5.inst.cfg index 653860dd8a..4832d624b8 100644 --- a/resources/variants/creality_cr10s5_0.5.inst.cfg +++ b/resources/variants/creality_cr10s5_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_0.6.inst.cfg b/resources/variants/creality_cr10s5_0.6.inst.cfg index c65dcde115..498ed7a5ec 100644 --- a/resources/variants/creality_cr10s5_0.6.inst.cfg +++ b/resources/variants/creality_cr10s5_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_0.8.inst.cfg b/resources/variants/creality_cr10s5_0.8.inst.cfg index 872e2f584f..2896ac8dd5 100644 --- a/resources/variants/creality_cr10s5_0.8.inst.cfg +++ b/resources/variants/creality_cr10s5_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s5_1.0.inst.cfg b/resources/variants/creality_cr10s5_1.0.inst.cfg index 97fcfb6c1f..0371cce2a8 100644 --- a/resources/variants/creality_cr10s5_1.0.inst.cfg +++ b/resources/variants/creality_cr10s5_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_0.2.inst.cfg b/resources/variants/creality_cr10s_0.2.inst.cfg index 3d1066d842..8a637e80b0 100644 --- a/resources/variants/creality_cr10s_0.2.inst.cfg +++ b/resources/variants/creality_cr10s_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_0.3.inst.cfg b/resources/variants/creality_cr10s_0.3.inst.cfg index f984da3fbe..902f61e3c0 100644 --- a/resources/variants/creality_cr10s_0.3.inst.cfg +++ b/resources/variants/creality_cr10s_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_0.4.inst.cfg b/resources/variants/creality_cr10s_0.4.inst.cfg index 236dbea258..32daca4b85 100644 --- a/resources/variants/creality_cr10s_0.4.inst.cfg +++ b/resources/variants/creality_cr10s_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_0.5.inst.cfg b/resources/variants/creality_cr10s_0.5.inst.cfg index b2cdf58513..42e468b0fc 100644 --- a/resources/variants/creality_cr10s_0.5.inst.cfg +++ b/resources/variants/creality_cr10s_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_0.6.inst.cfg b/resources/variants/creality_cr10s_0.6.inst.cfg index 84d16b0b87..0b9d4ffc29 100644 --- a/resources/variants/creality_cr10s_0.6.inst.cfg +++ b/resources/variants/creality_cr10s_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_0.8.inst.cfg b/resources/variants/creality_cr10s_0.8.inst.cfg index 18f372715c..84e4577be6 100644 --- a/resources/variants/creality_cr10s_0.8.inst.cfg +++ b/resources/variants/creality_cr10s_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10s_1.0.inst.cfg b/resources/variants/creality_cr10s_1.0.inst.cfg index 053e349830..c97444c373 100644 --- a/resources/variants/creality_cr10s_1.0.inst.cfg +++ b/resources/variants/creality_cr10s_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_0.2.inst.cfg b/resources/variants/creality_cr10spro_0.2.inst.cfg index 15a84c5a30..275e145bbd 100644 --- a/resources/variants/creality_cr10spro_0.2.inst.cfg +++ b/resources/variants/creality_cr10spro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_0.3.inst.cfg b/resources/variants/creality_cr10spro_0.3.inst.cfg index 82c067c0a6..74b8e2a0b3 100644 --- a/resources/variants/creality_cr10spro_0.3.inst.cfg +++ b/resources/variants/creality_cr10spro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_0.4.inst.cfg b/resources/variants/creality_cr10spro_0.4.inst.cfg index 88fd88d4f0..fe559b099e 100644 --- a/resources/variants/creality_cr10spro_0.4.inst.cfg +++ b/resources/variants/creality_cr10spro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_0.5.inst.cfg b/resources/variants/creality_cr10spro_0.5.inst.cfg index fef4aed3be..aec3e0b43c 100644 --- a/resources/variants/creality_cr10spro_0.5.inst.cfg +++ b/resources/variants/creality_cr10spro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_0.6.inst.cfg b/resources/variants/creality_cr10spro_0.6.inst.cfg index e2af62c64f..84fb0ba3c9 100644 --- a/resources/variants/creality_cr10spro_0.6.inst.cfg +++ b/resources/variants/creality_cr10spro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_0.8.inst.cfg b/resources/variants/creality_cr10spro_0.8.inst.cfg index 16a02e3fe2..0dd4221d51 100644 --- a/resources/variants/creality_cr10spro_0.8.inst.cfg +++ b/resources/variants/creality_cr10spro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr10spro_1.0.inst.cfg b/resources/variants/creality_cr10spro_1.0.inst.cfg index 6ad4e42f30..4d0a23ac03 100644 --- a/resources/variants/creality_cr10spro_1.0.inst.cfg +++ b/resources/variants/creality_cr10spro_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr10spro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_0.2.inst.cfg b/resources/variants/creality_cr20_0.2.inst.cfg index 394f7dabdb..a5e1b3dd75 100644 --- a/resources/variants/creality_cr20_0.2.inst.cfg +++ b/resources/variants/creality_cr20_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_0.3.inst.cfg b/resources/variants/creality_cr20_0.3.inst.cfg index 601062699e..0e05122e2e 100644 --- a/resources/variants/creality_cr20_0.3.inst.cfg +++ b/resources/variants/creality_cr20_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_0.4.inst.cfg b/resources/variants/creality_cr20_0.4.inst.cfg index 02e171dde5..ea6790e25b 100644 --- a/resources/variants/creality_cr20_0.4.inst.cfg +++ b/resources/variants/creality_cr20_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_0.5.inst.cfg b/resources/variants/creality_cr20_0.5.inst.cfg index 8a99a7e13d..d7186c5211 100644 --- a/resources/variants/creality_cr20_0.5.inst.cfg +++ b/resources/variants/creality_cr20_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_0.6.inst.cfg b/resources/variants/creality_cr20_0.6.inst.cfg index 6420e29a50..c94c5662d3 100644 --- a/resources/variants/creality_cr20_0.6.inst.cfg +++ b/resources/variants/creality_cr20_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_0.8.inst.cfg b/resources/variants/creality_cr20_0.8.inst.cfg index d4e200d519..31fe39c71b 100644 --- a/resources/variants/creality_cr20_0.8.inst.cfg +++ b/resources/variants/creality_cr20_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20_1.0.inst.cfg b/resources/variants/creality_cr20_1.0.inst.cfg index 213ad3239c..3b266aea7c 100644 --- a/resources/variants/creality_cr20_1.0.inst.cfg +++ b/resources/variants/creality_cr20_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_0.2.inst.cfg b/resources/variants/creality_cr20pro_0.2.inst.cfg index 7f6242e32a..da02c55dd0 100644 --- a/resources/variants/creality_cr20pro_0.2.inst.cfg +++ b/resources/variants/creality_cr20pro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_0.3.inst.cfg b/resources/variants/creality_cr20pro_0.3.inst.cfg index 6a132046b0..8955b538a5 100644 --- a/resources/variants/creality_cr20pro_0.3.inst.cfg +++ b/resources/variants/creality_cr20pro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_0.4.inst.cfg b/resources/variants/creality_cr20pro_0.4.inst.cfg index dd42452262..9f4b296654 100644 --- a/resources/variants/creality_cr20pro_0.4.inst.cfg +++ b/resources/variants/creality_cr20pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_0.5.inst.cfg b/resources/variants/creality_cr20pro_0.5.inst.cfg index 00698d761b..f0e2a7853d 100644 --- a/resources/variants/creality_cr20pro_0.5.inst.cfg +++ b/resources/variants/creality_cr20pro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_0.6.inst.cfg b/resources/variants/creality_cr20pro_0.6.inst.cfg index f11991e5ab..ef111cf092 100644 --- a/resources/variants/creality_cr20pro_0.6.inst.cfg +++ b/resources/variants/creality_cr20pro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_0.8.inst.cfg b/resources/variants/creality_cr20pro_0.8.inst.cfg index ab83ec6df4..5e2f461bc9 100644 --- a/resources/variants/creality_cr20pro_0.8.inst.cfg +++ b/resources/variants/creality_cr20pro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr20pro_1.0.inst.cfg b/resources/variants/creality_cr20pro_1.0.inst.cfg index 4b4e4a6eb9..f4e9faccb2 100644 --- a/resources/variants/creality_cr20pro_1.0.inst.cfg +++ b/resources/variants/creality_cr20pro_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr20pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_0.2.inst.cfg b/resources/variants/creality_cr6se_0.2.inst.cfg index fab2d5c362..56a078d208 100644 --- a/resources/variants/creality_cr6se_0.2.inst.cfg +++ b/resources/variants/creality_cr6se_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_0.3.inst.cfg b/resources/variants/creality_cr6se_0.3.inst.cfg index b11223e1e0..09a62ac4c3 100644 --- a/resources/variants/creality_cr6se_0.3.inst.cfg +++ b/resources/variants/creality_cr6se_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_0.4.inst.cfg b/resources/variants/creality_cr6se_0.4.inst.cfg index 6128437cac..c4bcdb28da 100644 --- a/resources/variants/creality_cr6se_0.4.inst.cfg +++ b/resources/variants/creality_cr6se_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_0.5.inst.cfg b/resources/variants/creality_cr6se_0.5.inst.cfg index 3a63bd6146..87444c36fc 100644 --- a/resources/variants/creality_cr6se_0.5.inst.cfg +++ b/resources/variants/creality_cr6se_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_0.6.inst.cfg b/resources/variants/creality_cr6se_0.6.inst.cfg index c0798f517b..7c1552c51e 100644 --- a/resources/variants/creality_cr6se_0.6.inst.cfg +++ b/resources/variants/creality_cr6se_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_0.8.inst.cfg b/resources/variants/creality_cr6se_0.8.inst.cfg index efcc1282dc..b0877fe69d 100644 --- a/resources/variants/creality_cr6se_0.8.inst.cfg +++ b/resources/variants/creality_cr6se_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_cr6se_1.0.inst.cfg b/resources/variants/creality_cr6se_1.0.inst.cfg index b3bd4c8011..54693cb329 100644 --- a/resources/variants/creality_cr6se_1.0.inst.cfg +++ b/resources/variants/creality_cr6se_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_cr6se [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_0.2.inst.cfg b/resources/variants/creality_ender2_0.2.inst.cfg index 732176e23f..0934118ecf 100644 --- a/resources/variants/creality_ender2_0.2.inst.cfg +++ b/resources/variants/creality_ender2_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_0.3.inst.cfg b/resources/variants/creality_ender2_0.3.inst.cfg index a50ee642e6..cf1118440f 100644 --- a/resources/variants/creality_ender2_0.3.inst.cfg +++ b/resources/variants/creality_ender2_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_0.4.inst.cfg b/resources/variants/creality_ender2_0.4.inst.cfg index 4ec059e9f2..2e98638ad1 100644 --- a/resources/variants/creality_ender2_0.4.inst.cfg +++ b/resources/variants/creality_ender2_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_0.5.inst.cfg b/resources/variants/creality_ender2_0.5.inst.cfg index 59925246b6..0fe42450a9 100644 --- a/resources/variants/creality_ender2_0.5.inst.cfg +++ b/resources/variants/creality_ender2_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_0.6.inst.cfg b/resources/variants/creality_ender2_0.6.inst.cfg index 088acf3d8d..056665c2cb 100644 --- a/resources/variants/creality_ender2_0.6.inst.cfg +++ b/resources/variants/creality_ender2_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_0.8.inst.cfg b/resources/variants/creality_ender2_0.8.inst.cfg index dfd2168f17..46c075e36e 100644 --- a/resources/variants/creality_ender2_0.8.inst.cfg +++ b/resources/variants/creality_ender2_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender2_1.0.inst.cfg b/resources/variants/creality_ender2_1.0.inst.cfg index 1e574ebede..052d256fdf 100644 --- a/resources/variants/creality_ender2_1.0.inst.cfg +++ b/resources/variants/creality_ender2_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_0.2.inst.cfg b/resources/variants/creality_ender3_0.2.inst.cfg index c20562ef73..e366d333cd 100644 --- a/resources/variants/creality_ender3_0.2.inst.cfg +++ b/resources/variants/creality_ender3_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_0.3.inst.cfg b/resources/variants/creality_ender3_0.3.inst.cfg index 876ebc2882..5b84abce30 100644 --- a/resources/variants/creality_ender3_0.3.inst.cfg +++ b/resources/variants/creality_ender3_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_0.4.inst.cfg b/resources/variants/creality_ender3_0.4.inst.cfg index 4ffe550be4..75cc4afa8f 100644 --- a/resources/variants/creality_ender3_0.4.inst.cfg +++ b/resources/variants/creality_ender3_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_0.5.inst.cfg b/resources/variants/creality_ender3_0.5.inst.cfg index f541261103..0598aaa426 100644 --- a/resources/variants/creality_ender3_0.5.inst.cfg +++ b/resources/variants/creality_ender3_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_0.6.inst.cfg b/resources/variants/creality_ender3_0.6.inst.cfg index 37e2708ec9..ff6147a0dd 100644 --- a/resources/variants/creality_ender3_0.6.inst.cfg +++ b/resources/variants/creality_ender3_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_0.8.inst.cfg b/resources/variants/creality_ender3_0.8.inst.cfg index deeb645c4e..d35114f1a5 100644 --- a/resources/variants/creality_ender3_0.8.inst.cfg +++ b/resources/variants/creality_ender3_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3_1.0.inst.cfg b/resources/variants/creality_ender3_1.0.inst.cfg index d5624ec152..1c135ac112 100644 --- a/resources/variants/creality_ender3_1.0.inst.cfg +++ b/resources/variants/creality_ender3_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_0.2.inst.cfg b/resources/variants/creality_ender3pro_0.2.inst.cfg index 65807407e6..214042a127 100644 --- a/resources/variants/creality_ender3pro_0.2.inst.cfg +++ b/resources/variants/creality_ender3pro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_0.3.inst.cfg b/resources/variants/creality_ender3pro_0.3.inst.cfg index aa7f1c64dc..fb34659573 100644 --- a/resources/variants/creality_ender3pro_0.3.inst.cfg +++ b/resources/variants/creality_ender3pro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_0.4.inst.cfg b/resources/variants/creality_ender3pro_0.4.inst.cfg index 5786001108..1e2fdcbb16 100644 --- a/resources/variants/creality_ender3pro_0.4.inst.cfg +++ b/resources/variants/creality_ender3pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_0.5.inst.cfg b/resources/variants/creality_ender3pro_0.5.inst.cfg index 3e8e1204a9..468f754ee0 100644 --- a/resources/variants/creality_ender3pro_0.5.inst.cfg +++ b/resources/variants/creality_ender3pro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_0.6.inst.cfg b/resources/variants/creality_ender3pro_0.6.inst.cfg index 47e5889d2a..600584aa12 100644 --- a/resources/variants/creality_ender3pro_0.6.inst.cfg +++ b/resources/variants/creality_ender3pro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_0.8.inst.cfg b/resources/variants/creality_ender3pro_0.8.inst.cfg index c2230ec9ea..96805958e1 100644 --- a/resources/variants/creality_ender3pro_0.8.inst.cfg +++ b/resources/variants/creality_ender3pro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender3pro_1.0.inst.cfg b/resources/variants/creality_ender3pro_1.0.inst.cfg index 369bf787c7..8e3d1ab7ce 100644 --- a/resources/variants/creality_ender3pro_1.0.inst.cfg +++ b/resources/variants/creality_ender3pro_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_0.2.inst.cfg b/resources/variants/creality_ender4_0.2.inst.cfg index 05afaf2060..a6a0cb70dc 100644 --- a/resources/variants/creality_ender4_0.2.inst.cfg +++ b/resources/variants/creality_ender4_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_0.3.inst.cfg b/resources/variants/creality_ender4_0.3.inst.cfg index 98711a9957..2068587092 100644 --- a/resources/variants/creality_ender4_0.3.inst.cfg +++ b/resources/variants/creality_ender4_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_0.4.inst.cfg b/resources/variants/creality_ender4_0.4.inst.cfg index 491f818e80..405c343a11 100644 --- a/resources/variants/creality_ender4_0.4.inst.cfg +++ b/resources/variants/creality_ender4_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_0.5.inst.cfg b/resources/variants/creality_ender4_0.5.inst.cfg index 7e27b86217..14944b32b5 100644 --- a/resources/variants/creality_ender4_0.5.inst.cfg +++ b/resources/variants/creality_ender4_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_0.6.inst.cfg b/resources/variants/creality_ender4_0.6.inst.cfg index 4be0b83efb..1e6951c86f 100644 --- a/resources/variants/creality_ender4_0.6.inst.cfg +++ b/resources/variants/creality_ender4_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_0.8.inst.cfg b/resources/variants/creality_ender4_0.8.inst.cfg index 067b77d622..1c3400b753 100644 --- a/resources/variants/creality_ender4_0.8.inst.cfg +++ b/resources/variants/creality_ender4_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender4_1.0.inst.cfg b/resources/variants/creality_ender4_1.0.inst.cfg index 1470ff3cdc..97be78e8be 100644 --- a/resources/variants/creality_ender4_1.0.inst.cfg +++ b/resources/variants/creality_ender4_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_0.2.inst.cfg b/resources/variants/creality_ender5_0.2.inst.cfg index b8bb0ee6e7..bd12bad3b7 100644 --- a/resources/variants/creality_ender5_0.2.inst.cfg +++ b/resources/variants/creality_ender5_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_0.3.inst.cfg b/resources/variants/creality_ender5_0.3.inst.cfg index 7d8ce6a2f1..f647df602d 100644 --- a/resources/variants/creality_ender5_0.3.inst.cfg +++ b/resources/variants/creality_ender5_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_0.4.inst.cfg b/resources/variants/creality_ender5_0.4.inst.cfg index dfbb10123f..84274e8c38 100644 --- a/resources/variants/creality_ender5_0.4.inst.cfg +++ b/resources/variants/creality_ender5_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_0.5.inst.cfg b/resources/variants/creality_ender5_0.5.inst.cfg index 5c52c254f4..6c47007823 100644 --- a/resources/variants/creality_ender5_0.5.inst.cfg +++ b/resources/variants/creality_ender5_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_0.6.inst.cfg b/resources/variants/creality_ender5_0.6.inst.cfg index 8bbb2862f1..f32f4a21bf 100644 --- a/resources/variants/creality_ender5_0.6.inst.cfg +++ b/resources/variants/creality_ender5_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_0.8.inst.cfg b/resources/variants/creality_ender5_0.8.inst.cfg index 90a116ec83..cf0d11e2e0 100644 --- a/resources/variants/creality_ender5_0.8.inst.cfg +++ b/resources/variants/creality_ender5_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5_1.0.inst.cfg b/resources/variants/creality_ender5_1.0.inst.cfg index 79b2a44912..75f4ac5ab6 100644 --- a/resources/variants/creality_ender5_1.0.inst.cfg +++ b/resources/variants/creality_ender5_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_0.2.inst.cfg b/resources/variants/creality_ender5plus_0.2.inst.cfg index 806da69d9d..999d31960b 100644 --- a/resources/variants/creality_ender5plus_0.2.inst.cfg +++ b/resources/variants/creality_ender5plus_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_0.3.inst.cfg b/resources/variants/creality_ender5plus_0.3.inst.cfg index bc4f365f93..3c0d52072f 100644 --- a/resources/variants/creality_ender5plus_0.3.inst.cfg +++ b/resources/variants/creality_ender5plus_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_0.4.inst.cfg b/resources/variants/creality_ender5plus_0.4.inst.cfg index 4df0c9f74d..4f84232d01 100644 --- a/resources/variants/creality_ender5plus_0.4.inst.cfg +++ b/resources/variants/creality_ender5plus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_0.5.inst.cfg b/resources/variants/creality_ender5plus_0.5.inst.cfg index 5f8b9ce968..4136638f3b 100644 --- a/resources/variants/creality_ender5plus_0.5.inst.cfg +++ b/resources/variants/creality_ender5plus_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_0.6.inst.cfg b/resources/variants/creality_ender5plus_0.6.inst.cfg index 003065d28b..b6a5520de2 100644 --- a/resources/variants/creality_ender5plus_0.6.inst.cfg +++ b/resources/variants/creality_ender5plus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_0.8.inst.cfg b/resources/variants/creality_ender5plus_0.8.inst.cfg index 903cb01e78..361b6c495c 100644 --- a/resources/variants/creality_ender5plus_0.8.inst.cfg +++ b/resources/variants/creality_ender5plus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender5plus_1.0.inst.cfg b/resources/variants/creality_ender5plus_1.0.inst.cfg index 26635a69b0..7ddcbc99c8 100644 --- a/resources/variants/creality_ender5plus_1.0.inst.cfg +++ b/resources/variants/creality_ender5plus_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender5plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_0.2.inst.cfg b/resources/variants/creality_ender6_0.2.inst.cfg index 91dce400b7..ffa4156810 100644 --- a/resources/variants/creality_ender6_0.2.inst.cfg +++ b/resources/variants/creality_ender6_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_0.3.inst.cfg b/resources/variants/creality_ender6_0.3.inst.cfg index 509e6639b4..398e975ff9 100644 --- a/resources/variants/creality_ender6_0.3.inst.cfg +++ b/resources/variants/creality_ender6_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_0.4.inst.cfg b/resources/variants/creality_ender6_0.4.inst.cfg index 89aa20ad2c..93e4fb982c 100644 --- a/resources/variants/creality_ender6_0.4.inst.cfg +++ b/resources/variants/creality_ender6_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_0.5.inst.cfg b/resources/variants/creality_ender6_0.5.inst.cfg index 36021de28e..017d1f4e6c 100644 --- a/resources/variants/creality_ender6_0.5.inst.cfg +++ b/resources/variants/creality_ender6_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_0.6.inst.cfg b/resources/variants/creality_ender6_0.6.inst.cfg index 25be54a773..795c209d37 100644 --- a/resources/variants/creality_ender6_0.6.inst.cfg +++ b/resources/variants/creality_ender6_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_0.8.inst.cfg b/resources/variants/creality_ender6_0.8.inst.cfg index 09d1d38226..1c91f353d8 100644 --- a/resources/variants/creality_ender6_0.8.inst.cfg +++ b/resources/variants/creality_ender6_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/creality_ender6_1.0.inst.cfg b/resources/variants/creality_ender6_1.0.inst.cfg index 7b56a42fd3..df3527ff2a 100644 --- a/resources/variants/creality_ender6_1.0.inst.cfg +++ b/resources/variants/creality_ender6_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = creality_ender6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20_fbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20_fbe025.inst.cfg index 4476a99c57..4989915ef1 100644 --- a/resources/variants/deltacomb/deltacomb_dc20_fbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20_fbe025.inst.cfg @@ -5,7 +5,7 @@ definition = deltacomb_dc20 [metadata] author = Deltacomb 3D -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20_fbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20_fbe040.inst.cfg index 246da36eb7..a026999f0f 100644 --- a/resources/variants/deltacomb/deltacomb_dc20_fbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20_fbe040.inst.cfg @@ -5,7 +5,7 @@ definition = deltacomb_dc20 [metadata] author = Deltacomb 3D -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20_fbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20_fbe060.inst.cfg index f69938afdf..554e89ac89 100644 --- a/resources/variants/deltacomb/deltacomb_dc20_fbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20_fbe060.inst.cfg @@ -5,7 +5,7 @@ definition = deltacomb_dc20 [metadata] author = Deltacomb 3D -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20_vfbe080.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20_vfbe080.inst.cfg index ef4e4c08c9..6be85523f1 100755 --- a/resources/variants/deltacomb/deltacomb_dc20_vfbe080.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20_vfbe080.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20dual_dbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20dual_dbe025.inst.cfg index f781a0aaba..bc0e4a290c 100755 --- a/resources/variants/deltacomb/deltacomb_dc20dual_dbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20dual_dbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20dual_dbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20dual_dbe040.inst.cfg index a954bd99df..5793a34bb9 100755 --- a/resources/variants/deltacomb/deltacomb_dc20dual_dbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20dual_dbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20dual_dbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20dual_dbe060.inst.cfg index 54b103fa9a..945b30da4a 100755 --- a/resources/variants/deltacomb/deltacomb_dc20dual_dbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20dual_dbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20dual_vdbe080.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20dual_vdbe080.inst.cfg index 5057f7e3d9..520aa6eb0a 100755 --- a/resources/variants/deltacomb/deltacomb_dc20dual_vdbe080.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20dual_vdbe080.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20flux_fbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20flux_fbe025.inst.cfg index 0a9ce5f961..9f25059f8b 100755 --- a/resources/variants/deltacomb/deltacomb_dc20flux_fbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20flux_fbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20flux_fbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20flux_fbe040.inst.cfg index cb94da302f..385fda1bbf 100755 --- a/resources/variants/deltacomb/deltacomb_dc20flux_fbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20flux_fbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc20flux_fbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc20flux_fbe060.inst.cfg index 88b0ccf0a6..a4d7e0ce0f 100755 --- a/resources/variants/deltacomb/deltacomb_dc20flux_fbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc20flux_fbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc20flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21_fbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21_fbe025.inst.cfg index 1a9a1d5c9e..e5218a20cc 100755 --- a/resources/variants/deltacomb/deltacomb_dc21_fbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21_fbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21_fbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21_fbe040.inst.cfg index 06609081eb..c6e7356844 100755 --- a/resources/variants/deltacomb/deltacomb_dc21_fbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21_fbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21_fbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21_fbe060.inst.cfg index f6e1775050..b84f88d92e 100755 --- a/resources/variants/deltacomb/deltacomb_dc21_fbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21_fbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21_vfbe080.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21_vfbe080.inst.cfg index 0a9961c905..e615659329 100755 --- a/resources/variants/deltacomb/deltacomb_dc21_vfbe080.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21_vfbe080.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21dual_dbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21dual_dbe025.inst.cfg index 5709f65b13..c8ac27f1a1 100755 --- a/resources/variants/deltacomb/deltacomb_dc21dual_dbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21dual_dbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21dual_dbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21dual_dbe040.inst.cfg index 46cae8a730..872fd2771b 100755 --- a/resources/variants/deltacomb/deltacomb_dc21dual_dbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21dual_dbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21dual_dbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21dual_dbe060.inst.cfg index 2aa5dd6772..a81144e0f5 100755 --- a/resources/variants/deltacomb/deltacomb_dc21dual_dbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21dual_dbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21dual_vdbe080.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21dual_vdbe080.inst.cfg index 4843c404a7..21d3210801 100755 --- a/resources/variants/deltacomb/deltacomb_dc21dual_vdbe080.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21dual_vdbe080.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21flux_fbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21flux_fbe025.inst.cfg index af5a84eb5c..e491021443 100755 --- a/resources/variants/deltacomb/deltacomb_dc21flux_fbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21flux_fbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21flux_fbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21flux_fbe040.inst.cfg index 869aef2339..8395b02434 100755 --- a/resources/variants/deltacomb/deltacomb_dc21flux_fbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21flux_fbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc21flux_fbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc21flux_fbe060.inst.cfg index 9a53d25520..bb5f0e409d 100755 --- a/resources/variants/deltacomb/deltacomb_dc21flux_fbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc21flux_fbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc21flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30_fbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30_fbe025.inst.cfg index 1dfd48664c..6294afff45 100755 --- a/resources/variants/deltacomb/deltacomb_dc30_fbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30_fbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30_fbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30_fbe040.inst.cfg index 459a318837..d3e86cab6a 100755 --- a/resources/variants/deltacomb/deltacomb_dc30_fbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30_fbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30_fbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30_fbe060.inst.cfg index b9523ebea3..4715e2b3a0 100755 --- a/resources/variants/deltacomb/deltacomb_dc30_fbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30_fbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30_vfbe080.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30_vfbe080.inst.cfg index 6f0ec0a72a..bb605c637a 100755 --- a/resources/variants/deltacomb/deltacomb_dc30_vfbe080.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30_vfbe080.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30dual_dbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30dual_dbe025.inst.cfg index 9f5aab79ab..c07b2bad30 100755 --- a/resources/variants/deltacomb/deltacomb_dc30dual_dbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30dual_dbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30dual_dbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30dual_dbe040.inst.cfg index 6e04cc74c0..7b33bbf49a 100755 --- a/resources/variants/deltacomb/deltacomb_dc30dual_dbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30dual_dbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30dual_dbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30dual_dbe060.inst.cfg index 38681df1b2..71c4d59869 100755 --- a/resources/variants/deltacomb/deltacomb_dc30dual_dbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30dual_dbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30dual_vdbe080.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30dual_vdbe080.inst.cfg index 97b59c5528..d26ce6684d 100755 --- a/resources/variants/deltacomb/deltacomb_dc30dual_vdbe080.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30dual_vdbe080.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30flux_fbe025.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30flux_fbe025.inst.cfg index 538deacaa3..aaae9664fc 100755 --- a/resources/variants/deltacomb/deltacomb_dc30flux_fbe025.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30flux_fbe025.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30flux_fbe040.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30flux_fbe040.inst.cfg index 71e9964798..ec9d8ec376 100755 --- a/resources/variants/deltacomb/deltacomb_dc30flux_fbe040.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30flux_fbe040.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/deltacomb/deltacomb_dc30flux_fbe060.inst.cfg b/resources/variants/deltacomb/deltacomb_dc30flux_fbe060.inst.cfg index 6ce490ea0e..78d7d505a7 100755 --- a/resources/variants/deltacomb/deltacomb_dc30flux_fbe060.inst.cfg +++ b/resources/variants/deltacomb/deltacomb_dc30flux_fbe060.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = deltacomb_dc30flux [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/diy220_0.2.inst.cfg b/resources/variants/diy220_0.2.inst.cfg index 9825f34b18..9702495b40 100644 --- a/resources/variants/diy220_0.2.inst.cfg +++ b/resources/variants/diy220_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/diy220_0.3.inst.cfg b/resources/variants/diy220_0.3.inst.cfg index 58766446d2..5bfff0beee 100644 --- a/resources/variants/diy220_0.3.inst.cfg +++ b/resources/variants/diy220_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/diy220_0.4.inst.cfg b/resources/variants/diy220_0.4.inst.cfg index 8385e39936..d84d058c88 100644 --- a/resources/variants/diy220_0.4.inst.cfg +++ b/resources/variants/diy220_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/diy220_0.5.inst.cfg b/resources/variants/diy220_0.5.inst.cfg index 848d626324..7e456a61cb 100644 --- a/resources/variants/diy220_0.5.inst.cfg +++ b/resources/variants/diy220_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/diy220_0.6.inst.cfg b/resources/variants/diy220_0.6.inst.cfg index c7f417da34..23187a48f4 100644 --- a/resources/variants/diy220_0.6.inst.cfg +++ b/resources/variants/diy220_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/diy220_0.8.inst.cfg b/resources/variants/diy220_0.8.inst.cfg index 1abef74999..bb170cc321 100644 --- a/resources/variants/diy220_0.8.inst.cfg +++ b/resources/variants/diy220_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = diy220 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_0.25.inst.cfg b/resources/variants/dxu_0.25.inst.cfg index 96baf0f55a..8e27eaf62f 100644 --- a/resources/variants/dxu_0.25.inst.cfg +++ b/resources/variants/dxu_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_0.4.inst.cfg b/resources/variants/dxu_0.4.inst.cfg index ff1b719ebc..b2ce53f220 100644 --- a/resources/variants/dxu_0.4.inst.cfg +++ b/resources/variants/dxu_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_0.6.inst.cfg b/resources/variants/dxu_0.6.inst.cfg index 64bced777d..c95661c24f 100644 --- a/resources/variants/dxu_0.6.inst.cfg +++ b/resources/variants/dxu_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_0.8.inst.cfg b/resources/variants/dxu_0.8.inst.cfg index 01ae19068c..272d7e1e65 100644 --- a/resources/variants/dxu_0.8.inst.cfg +++ b/resources/variants/dxu_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_dual_0.25.inst.cfg b/resources/variants/dxu_dual_0.25.inst.cfg index ecc2a2a91c..a5e53bb91a 100644 --- a/resources/variants/dxu_dual_0.25.inst.cfg +++ b/resources/variants/dxu_dual_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu_dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_dual_0.4.inst.cfg b/resources/variants/dxu_dual_0.4.inst.cfg index 13bf994910..a531808f50 100644 --- a/resources/variants/dxu_dual_0.4.inst.cfg +++ b/resources/variants/dxu_dual_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu_dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_dual_0.6.inst.cfg b/resources/variants/dxu_dual_0.6.inst.cfg index c5343d7de4..eaf098cc24 100644 --- a/resources/variants/dxu_dual_0.6.inst.cfg +++ b/resources/variants/dxu_dual_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu_dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/dxu_dual_0.8.inst.cfg b/resources/variants/dxu_dual_0.8.inst.cfg index e9d724651b..01d8d4bba0 100644 --- a/resources/variants/dxu_dual_0.8.inst.cfg +++ b/resources/variants/dxu_dual_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = dxu_dual [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_hyb35.inst.cfg b/resources/variants/fabtotum_hyb35.inst.cfg index d3a1db5310..37dfb04d24 100644 --- a/resources/variants/fabtotum_hyb35.inst.cfg +++ b/resources/variants/fabtotum_hyb35.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_lite04.inst.cfg b/resources/variants/fabtotum_lite04.inst.cfg index 6a731d9b64..a2237688cd 100644 --- a/resources/variants/fabtotum_lite04.inst.cfg +++ b/resources/variants/fabtotum_lite04.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_lite06.inst.cfg b/resources/variants/fabtotum_lite06.inst.cfg index 17d66f83ec..69473c40de 100644 --- a/resources/variants/fabtotum_lite06.inst.cfg +++ b/resources/variants/fabtotum_lite06.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_pro02.inst.cfg b/resources/variants/fabtotum_pro02.inst.cfg index 9cdbb33995..82c4b08c19 100644 --- a/resources/variants/fabtotum_pro02.inst.cfg +++ b/resources/variants/fabtotum_pro02.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_pro04.inst.cfg b/resources/variants/fabtotum_pro04.inst.cfg index 227a5483c7..1ffc788474 100644 --- a/resources/variants/fabtotum_pro04.inst.cfg +++ b/resources/variants/fabtotum_pro04.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_pro06.inst.cfg b/resources/variants/fabtotum_pro06.inst.cfg index c695b6cd4c..f239cee716 100644 --- a/resources/variants/fabtotum_pro06.inst.cfg +++ b/resources/variants/fabtotum_pro06.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/fabtotum_pro08.inst.cfg b/resources/variants/fabtotum_pro08.inst.cfg index 67bbc28e6f..7776109cac 100644 --- a/resources/variants/fabtotum_pro08.inst.cfg +++ b/resources/variants/fabtotum_pro08.inst.cfg @@ -5,7 +5,7 @@ definition = fabtotum [metadata] author = FABtotum -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_ce_printhead_0.2.inst.cfg b/resources/variants/farm2_ce_printhead_0.2.inst.cfg index 238fc96817..f735997b0f 100644 --- a/resources/variants/farm2_ce_printhead_0.2.inst.cfg +++ b/resources/variants/farm2_ce_printhead_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2_ce [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_ce_printhead_0.3.inst.cfg b/resources/variants/farm2_ce_printhead_0.3.inst.cfg index 241a1a4e20..92d477ee44 100644 --- a/resources/variants/farm2_ce_printhead_0.3.inst.cfg +++ b/resources/variants/farm2_ce_printhead_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2_ce [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_ce_printhead_0.4.inst.cfg b/resources/variants/farm2_ce_printhead_0.4.inst.cfg index 7f0bee8097..ba231093fa 100644 --- a/resources/variants/farm2_ce_printhead_0.4.inst.cfg +++ b/resources/variants/farm2_ce_printhead_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2_ce [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_ce_printhead_0.5.inst.cfg b/resources/variants/farm2_ce_printhead_0.5.inst.cfg index 80dc464b2c..f2e425ca0f 100644 --- a/resources/variants/farm2_ce_printhead_0.5.inst.cfg +++ b/resources/variants/farm2_ce_printhead_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2_ce [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_printhead_0.2.inst.cfg b/resources/variants/farm2_printhead_0.2.inst.cfg index d7e56e7b11..6e67489ed6 100644 --- a/resources/variants/farm2_printhead_0.2.inst.cfg +++ b/resources/variants/farm2_printhead_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_printhead_0.3.inst.cfg b/resources/variants/farm2_printhead_0.3.inst.cfg index 4258c9febc..c456d804fd 100644 --- a/resources/variants/farm2_printhead_0.3.inst.cfg +++ b/resources/variants/farm2_printhead_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_printhead_0.4.inst.cfg b/resources/variants/farm2_printhead_0.4.inst.cfg index 02006c92c6..5faf972fb6 100644 --- a/resources/variants/farm2_printhead_0.4.inst.cfg +++ b/resources/variants/farm2_printhead_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/farm2_printhead_0.5.inst.cfg b/resources/variants/farm2_printhead_0.5.inst.cfg index ccf3775525..e7b2ef5933 100644 --- a/resources/variants/farm2_printhead_0.5.inst.cfg +++ b/resources/variants/farm2_printhead_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = farm2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/felixpro2_0.25.inst.cfg b/resources/variants/felixpro2_0.25.inst.cfg index a8ecaba5c5..afef5dcbbc 100644 --- a/resources/variants/felixpro2_0.25.inst.cfg +++ b/resources/variants/felixpro2_0.25.inst.cfg @@ -6,7 +6,7 @@ definition = felixpro2dual [metadata] author = pnks type = variant -setting_version = 18 +setting_version = 19 hardware_type = nozzle [values] diff --git a/resources/variants/felixpro2_0.35.inst.cfg b/resources/variants/felixpro2_0.35.inst.cfg index 1b1b783dd2..463444b660 100644 --- a/resources/variants/felixpro2_0.35.inst.cfg +++ b/resources/variants/felixpro2_0.35.inst.cfg @@ -6,7 +6,7 @@ definition = felixpro2dual [metadata] author = pnks type = variant -setting_version = 18 +setting_version = 19 hardware_type = nozzle [values] diff --git a/resources/variants/felixpro2_0.50.inst.cfg b/resources/variants/felixpro2_0.50.inst.cfg index 75dbbe680a..3e4be18f57 100644 --- a/resources/variants/felixpro2_0.50.inst.cfg +++ b/resources/variants/felixpro2_0.50.inst.cfg @@ -6,7 +6,7 @@ definition = felixpro2dual [metadata] author = pnks type = variant -setting_version = 18 +setting_version = 19 hardware_type = nozzle [values] diff --git a/resources/variants/felixpro2_0.70.inst.cfg b/resources/variants/felixpro2_0.70.inst.cfg index 630e3acd5a..99fe0dac76 100644 --- a/resources/variants/felixpro2_0.70.inst.cfg +++ b/resources/variants/felixpro2_0.70.inst.cfg @@ -6,7 +6,7 @@ definition = felixpro2dual [metadata] author = pnks type = variant -setting_version = 18 +setting_version = 19 hardware_type = nozzle [values] diff --git a/resources/variants/felixtec4_0.25.inst.cfg b/resources/variants/felixtec4_0.25.inst.cfg index ef70e049b3..bb30bef1d0 100644 --- a/resources/variants/felixtec4_0.25.inst.cfg +++ b/resources/variants/felixtec4_0.25.inst.cfg @@ -6,7 +6,7 @@ definition = felixtec4dual [metadata] author = kerog777 type = variant -setting_version = 18 +setting_version = 19 hardware_type = nozzle [values] diff --git a/resources/variants/felixtec4_0.35.inst.cfg b/resources/variants/felixtec4_0.35.inst.cfg index 4fbca25207..523ce0f08d 100644 --- a/resources/variants/felixtec4_0.35.inst.cfg +++ b/resources/variants/felixtec4_0.35.inst.cfg @@ -6,7 +6,7 @@ definition = felixtec4dual [metadata] author = kerog777 type = variant -setting_version = 18 +setting_version = 19 hardware_type = nozzle [values] diff --git a/resources/variants/felixtec4_0.50.inst.cfg b/resources/variants/felixtec4_0.50.inst.cfg index 91f3aa67f9..7d5ba049f8 100644 --- a/resources/variants/felixtec4_0.50.inst.cfg +++ b/resources/variants/felixtec4_0.50.inst.cfg @@ -7,7 +7,7 @@ definition = felixtec4dual author = kerog777 type = variant hardware_type = nozzle -setting_version = 18 +setting_version = 19 [values] machine_nozzle_size = 0.5 diff --git a/resources/variants/felixtec4_0.70.inst.cfg b/resources/variants/felixtec4_0.70.inst.cfg index 6379777ab2..e291b69c51 100644 --- a/resources/variants/felixtec4_0.70.inst.cfg +++ b/resources/variants/felixtec4_0.70.inst.cfg @@ -7,7 +7,7 @@ definition = felixtec4dual author = kerog777 type = variant hardware_type = nozzle -setting_version = 18 +setting_version = 19 [values] machine_nozzle_size = 0.70 diff --git a/resources/variants/flashforge_base_0.20.inst.cfg b/resources/variants/flashforge_base_0.20.inst.cfg index 220cb0464c..2157effda3 100644 --- a/resources/variants/flashforge_base_0.20.inst.cfg +++ b/resources/variants/flashforge_base_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_base_0.30.inst.cfg b/resources/variants/flashforge_base_0.30.inst.cfg index 5d466fcd30..5211126b0a 100644 --- a/resources/variants/flashforge_base_0.30.inst.cfg +++ b/resources/variants/flashforge_base_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_base_0.40.inst.cfg b/resources/variants/flashforge_base_0.40.inst.cfg index c9c3a8091f..18f5490cf4 100644 --- a/resources/variants/flashforge_base_0.40.inst.cfg +++ b/resources/variants/flashforge_base_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_base_0.50.inst.cfg b/resources/variants/flashforge_base_0.50.inst.cfg index 2498257642..752a366a93 100644 --- a/resources/variants/flashforge_base_0.50.inst.cfg +++ b/resources/variants/flashforge_base_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_base_0.60.inst.cfg b/resources/variants/flashforge_base_0.60.inst.cfg index 9384d92621..d12f1d92a5 100644 --- a/resources/variants/flashforge_base_0.60.inst.cfg +++ b/resources/variants/flashforge_base_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_dreamer_nx_0.20.inst.cfg b/resources/variants/flashforge_dreamer_nx_0.20.inst.cfg index 814b5a6cf0..aa93725048 100644 --- a/resources/variants/flashforge_dreamer_nx_0.20.inst.cfg +++ b/resources/variants/flashforge_dreamer_nx_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_dreamer_nx [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_dreamer_nx_0.30.inst.cfg b/resources/variants/flashforge_dreamer_nx_0.30.inst.cfg index 7b16682aea..b4319e7c50 100644 --- a/resources/variants/flashforge_dreamer_nx_0.30.inst.cfg +++ b/resources/variants/flashforge_dreamer_nx_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_dreamer_nx [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_dreamer_nx_0.40.inst.cfg b/resources/variants/flashforge_dreamer_nx_0.40.inst.cfg index 75beb2bb39..12645ce8f7 100644 --- a/resources/variants/flashforge_dreamer_nx_0.40.inst.cfg +++ b/resources/variants/flashforge_dreamer_nx_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_dreamer_nx [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_dreamer_nx_0.50.inst.cfg b/resources/variants/flashforge_dreamer_nx_0.50.inst.cfg index 1337667205..53cdcec3ab 100644 --- a/resources/variants/flashforge_dreamer_nx_0.50.inst.cfg +++ b/resources/variants/flashforge_dreamer_nx_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_dreamer_nx [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flashforge_dreamer_nx_0.60.inst.cfg b/resources/variants/flashforge_dreamer_nx_0.60.inst.cfg index 080f9ac6bb..bf41d3b508 100644 --- a/resources/variants/flashforge_dreamer_nx_0.60.inst.cfg +++ b/resources/variants/flashforge_dreamer_nx_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flashforge_dreamer_nx [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_base_0.25.inst.cfg b/resources/variants/flyingbear_base_0.25.inst.cfg index 5defbf2a0d..2778e98ffa 100644 --- a/resources/variants/flyingbear_base_0.25.inst.cfg +++ b/resources/variants/flyingbear_base_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_base_0.30.inst.cfg b/resources/variants/flyingbear_base_0.30.inst.cfg index 42e9f20889..e47f27a5a5 100644 --- a/resources/variants/flyingbear_base_0.30.inst.cfg +++ b/resources/variants/flyingbear_base_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_base_0.40.inst.cfg b/resources/variants/flyingbear_base_0.40.inst.cfg index 90ba97f052..ed526a23e2 100644 --- a/resources/variants/flyingbear_base_0.40.inst.cfg +++ b/resources/variants/flyingbear_base_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_base_0.50.inst.cfg b/resources/variants/flyingbear_base_0.50.inst.cfg index 7872b17ab3..feec00829f 100644 --- a/resources/variants/flyingbear_base_0.50.inst.cfg +++ b/resources/variants/flyingbear_base_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_base_0.60.inst.cfg b/resources/variants/flyingbear_base_0.60.inst.cfg index f22a8fd826..940dc72bbb 100644 --- a/resources/variants/flyingbear_base_0.60.inst.cfg +++ b/resources/variants/flyingbear_base_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_base_0.80.inst.cfg b/resources/variants/flyingbear_base_0.80.inst.cfg index 657fa8f93b..9406342237 100644 --- a/resources/variants/flyingbear_base_0.80.inst.cfg +++ b/resources/variants/flyingbear_base_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_4s_0.25.inst.cfg b/resources/variants/flyingbear_ghost_4s_0.25.inst.cfg index 9f3b21a15b..3dd88dc319 100644 --- a/resources/variants/flyingbear_ghost_4s_0.25.inst.cfg +++ b/resources/variants/flyingbear_ghost_4s_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_4s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_4s_0.30.inst.cfg b/resources/variants/flyingbear_ghost_4s_0.30.inst.cfg index 09bb737c4f..3457b85aef 100644 --- a/resources/variants/flyingbear_ghost_4s_0.30.inst.cfg +++ b/resources/variants/flyingbear_ghost_4s_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_4s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_4s_0.40.inst.cfg b/resources/variants/flyingbear_ghost_4s_0.40.inst.cfg index 6e8aac79d0..2f8d091cd0 100644 --- a/resources/variants/flyingbear_ghost_4s_0.40.inst.cfg +++ b/resources/variants/flyingbear_ghost_4s_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_4s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_4s_0.50.inst.cfg b/resources/variants/flyingbear_ghost_4s_0.50.inst.cfg index 17aa1e4a04..460298dcf1 100644 --- a/resources/variants/flyingbear_ghost_4s_0.50.inst.cfg +++ b/resources/variants/flyingbear_ghost_4s_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_4s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_4s_0.60.inst.cfg b/resources/variants/flyingbear_ghost_4s_0.60.inst.cfg index 49824d83db..bd0addb713 100644 --- a/resources/variants/flyingbear_ghost_4s_0.60.inst.cfg +++ b/resources/variants/flyingbear_ghost_4s_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_4s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_4s_0.80.inst.cfg b/resources/variants/flyingbear_ghost_4s_0.80.inst.cfg index 29dad4e02f..8fe01fa28f 100644 --- a/resources/variants/flyingbear_ghost_4s_0.80.inst.cfg +++ b/resources/variants/flyingbear_ghost_4s_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_4s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_5_0.25.inst.cfg b/resources/variants/flyingbear_ghost_5_0.25.inst.cfg index d6f2472c3f..3d97e3aa33 100644 --- a/resources/variants/flyingbear_ghost_5_0.25.inst.cfg +++ b/resources/variants/flyingbear_ghost_5_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_5_0.30.inst.cfg b/resources/variants/flyingbear_ghost_5_0.30.inst.cfg index 70a9da496e..bff59d6d81 100644 --- a/resources/variants/flyingbear_ghost_5_0.30.inst.cfg +++ b/resources/variants/flyingbear_ghost_5_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_5_0.40.inst.cfg b/resources/variants/flyingbear_ghost_5_0.40.inst.cfg index 126c8a8c7a..026b3fe27b 100644 --- a/resources/variants/flyingbear_ghost_5_0.40.inst.cfg +++ b/resources/variants/flyingbear_ghost_5_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_5_0.50.inst.cfg b/resources/variants/flyingbear_ghost_5_0.50.inst.cfg index 12ab7737d6..b7598c771f 100644 --- a/resources/variants/flyingbear_ghost_5_0.50.inst.cfg +++ b/resources/variants/flyingbear_ghost_5_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_5_0.60.inst.cfg b/resources/variants/flyingbear_ghost_5_0.60.inst.cfg index 7392725fe0..a745a2abe2 100644 --- a/resources/variants/flyingbear_ghost_5_0.60.inst.cfg +++ b/resources/variants/flyingbear_ghost_5_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/flyingbear_ghost_5_0.80.inst.cfg b/resources/variants/flyingbear_ghost_5_0.80.inst.cfg index 2676caaf64..d43894c74b 100644 --- a/resources/variants/flyingbear_ghost_5_0.80.inst.cfg +++ b/resources/variants/flyingbear_ghost_5_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = flyingbear_ghost_5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_025_e3d.inst.cfg b/resources/variants/gmax15plus_025_e3d.inst.cfg index 7446db814b..d39723d60a 100644 --- a/resources/variants/gmax15plus_025_e3d.inst.cfg +++ b/resources/variants/gmax15plus_025_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_04_e3d.inst.cfg b/resources/variants/gmax15plus_04_e3d.inst.cfg index d79fd42539..b1505c2037 100644 --- a/resources/variants/gmax15plus_04_e3d.inst.cfg +++ b/resources/variants/gmax15plus_04_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_05_e3d.inst.cfg b/resources/variants/gmax15plus_05_e3d.inst.cfg index b7f091bfba..a7ba906c61 100644 --- a/resources/variants/gmax15plus_05_e3d.inst.cfg +++ b/resources/variants/gmax15plus_05_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_05_jhead.inst.cfg b/resources/variants/gmax15plus_05_jhead.inst.cfg index ae934b3251..419e0822e8 100644 --- a/resources/variants/gmax15plus_05_jhead.inst.cfg +++ b/resources/variants/gmax15plus_05_jhead.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_06_e3d.inst.cfg b/resources/variants/gmax15plus_06_e3d.inst.cfg index bf39132525..df8f8128e6 100644 --- a/resources/variants/gmax15plus_06_e3d.inst.cfg +++ b/resources/variants/gmax15plus_06_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_08_e3d.inst.cfg b/resources/variants/gmax15plus_08_e3d.inst.cfg index e111acbaa5..2877499d94 100644 --- a/resources/variants/gmax15plus_08_e3d.inst.cfg +++ b/resources/variants/gmax15plus_08_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_10_jhead.inst.cfg b/resources/variants/gmax15plus_10_jhead.inst.cfg index 06b33f1672..ac9014dd13 100644 --- a/resources/variants/gmax15plus_10_jhead.inst.cfg +++ b/resources/variants/gmax15plus_10_jhead.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_12_e3d.inst.cfg b/resources/variants/gmax15plus_12_e3d.inst.cfg index ad3b77771d..6c0d0086be 100644 --- a/resources/variants/gmax15plus_12_e3d.inst.cfg +++ b/resources/variants/gmax15plus_12_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_025_e3d.inst.cfg b/resources/variants/gmax15plus_dual_025_e3d.inst.cfg index f631ae4338..33e546eebd 100644 --- a/resources/variants/gmax15plus_dual_025_e3d.inst.cfg +++ b/resources/variants/gmax15plus_dual_025_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_04_e3d.inst.cfg b/resources/variants/gmax15plus_dual_04_e3d.inst.cfg index 11d8391653..26a936e393 100644 --- a/resources/variants/gmax15plus_dual_04_e3d.inst.cfg +++ b/resources/variants/gmax15plus_dual_04_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_05_e3d.inst.cfg b/resources/variants/gmax15plus_dual_05_e3d.inst.cfg index 200dad41fe..ee57779983 100644 --- a/resources/variants/gmax15plus_dual_05_e3d.inst.cfg +++ b/resources/variants/gmax15plus_dual_05_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_05_jhead.inst.cfg b/resources/variants/gmax15plus_dual_05_jhead.inst.cfg index ea0149a5bc..2da9fa411d 100644 --- a/resources/variants/gmax15plus_dual_05_jhead.inst.cfg +++ b/resources/variants/gmax15plus_dual_05_jhead.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_06_e3d.inst.cfg b/resources/variants/gmax15plus_dual_06_e3d.inst.cfg index c1857349e2..139ec37893 100644 --- a/resources/variants/gmax15plus_dual_06_e3d.inst.cfg +++ b/resources/variants/gmax15plus_dual_06_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_08_e3d.inst.cfg b/resources/variants/gmax15plus_dual_08_e3d.inst.cfg index 32a4187c07..ef0967d9f5 100644 --- a/resources/variants/gmax15plus_dual_08_e3d.inst.cfg +++ b/resources/variants/gmax15plus_dual_08_e3d.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/gmax15plus_dual_10_jhead.inst.cfg b/resources/variants/gmax15plus_dual_10_jhead.inst.cfg index 5bab37a91b..8e2df3bc15 100644 --- a/resources/variants/gmax15plus_dual_10_jhead.inst.cfg +++ b/resources/variants/gmax15plus_dual_10_jhead.inst.cfg @@ -5,7 +5,7 @@ definition = gmax15plus_dual [metadata] author = gcreate -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_base_0.4.inst.cfg b/resources/variants/goofoo_base_0.4.inst.cfg index 4dc5c79378..4f0bf78e87 100644 --- a/resources/variants/goofoo_base_0.4.inst.cfg +++ b/resources/variants/goofoo_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_e-one_0.2.inst.cfg b/resources/variants/goofoo_e-one_0.2.inst.cfg index 222abaa3ef..602fd550a6 100644 --- a/resources/variants/goofoo_e-one_0.2.inst.cfg +++ b/resources/variants/goofoo_e-one_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_e-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_e-one_0.4.inst.cfg b/resources/variants/goofoo_e-one_0.4.inst.cfg index 1a20e9cf78..979d3da768 100644 --- a/resources/variants/goofoo_e-one_0.4.inst.cfg +++ b/resources/variants/goofoo_e-one_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_e-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_e-one_0.6.inst.cfg b/resources/variants/goofoo_e-one_0.6.inst.cfg index dab508624c..6950f5e5d9 100644 --- a/resources/variants/goofoo_e-one_0.6.inst.cfg +++ b/resources/variants/goofoo_e-one_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_e-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_e-one_0.8.inst.cfg b/resources/variants/goofoo_e-one_0.8.inst.cfg index 5607ad343a..06c69a5b93 100644 --- a/resources/variants/goofoo_e-one_0.8.inst.cfg +++ b/resources/variants/goofoo_e-one_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_e-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_e-one_1.0.inst.cfg b/resources/variants/goofoo_e-one_1.0.inst.cfg index 61953efd3d..c212c3dc60 100644 --- a/resources/variants/goofoo_e-one_1.0.inst.cfg +++ b/resources/variants/goofoo_e-one_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_e-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_gemini_0.2.inst.cfg b/resources/variants/goofoo_gemini_0.2.inst.cfg index 1f09700600..804a7ce63a 100644 --- a/resources/variants/goofoo_gemini_0.2.inst.cfg +++ b/resources/variants/goofoo_gemini_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_gemini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_gemini_0.4.inst.cfg b/resources/variants/goofoo_gemini_0.4.inst.cfg index 29714eda36..59602d0be8 100644 --- a/resources/variants/goofoo_gemini_0.4.inst.cfg +++ b/resources/variants/goofoo_gemini_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_gemini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_gemini_0.6.inst.cfg b/resources/variants/goofoo_gemini_0.6.inst.cfg index e5e0626df4..6d512c1cf2 100644 --- a/resources/variants/goofoo_gemini_0.6.inst.cfg +++ b/resources/variants/goofoo_gemini_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_gemini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_gemini_0.8.inst.cfg b/resources/variants/goofoo_gemini_0.8.inst.cfg index 9f9a3f6db0..3063312c56 100644 --- a/resources/variants/goofoo_gemini_0.8.inst.cfg +++ b/resources/variants/goofoo_gemini_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_gemini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_gemini_1.0.inst.cfg b/resources/variants/goofoo_gemini_1.0.inst.cfg index fed8aa09e0..7bf4761062 100644 --- a/resources/variants/goofoo_gemini_1.0.inst.cfg +++ b/resources/variants/goofoo_gemini_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_gemini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_giant_0.2.inst.cfg b/resources/variants/goofoo_giant_0.2.inst.cfg index 7098cfe756..e05209e51c 100644 --- a/resources/variants/goofoo_giant_0.2.inst.cfg +++ b/resources/variants/goofoo_giant_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_giant [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_giant_0.4.inst.cfg b/resources/variants/goofoo_giant_0.4.inst.cfg index 2427e9f1be..5b2f45efc9 100644 --- a/resources/variants/goofoo_giant_0.4.inst.cfg +++ b/resources/variants/goofoo_giant_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_giant [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_giant_0.6.inst.cfg b/resources/variants/goofoo_giant_0.6.inst.cfg index c198d6b123..7d8c5862a9 100644 --- a/resources/variants/goofoo_giant_0.6.inst.cfg +++ b/resources/variants/goofoo_giant_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_giant [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_giant_0.8.inst.cfg b/resources/variants/goofoo_giant_0.8.inst.cfg index 2949a0aab1..c0daf9773a 100644 --- a/resources/variants/goofoo_giant_0.8.inst.cfg +++ b/resources/variants/goofoo_giant_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_giant [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_giant_1.0.inst.cfg b/resources/variants/goofoo_giant_1.0.inst.cfg index df058f6340..3e34d090e5 100644 --- a/resources/variants/goofoo_giant_1.0.inst.cfg +++ b/resources/variants/goofoo_giant_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_giant [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_max_0.2.inst.cfg b/resources/variants/goofoo_max_0.2.inst.cfg index 6c465e6006..74f3b5f9f3 100644 --- a/resources/variants/goofoo_max_0.2.inst.cfg +++ b/resources/variants/goofoo_max_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_max_0.4.inst.cfg b/resources/variants/goofoo_max_0.4.inst.cfg index d64c475e34..59ce709abd 100644 --- a/resources/variants/goofoo_max_0.4.inst.cfg +++ b/resources/variants/goofoo_max_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_max_0.6.inst.cfg b/resources/variants/goofoo_max_0.6.inst.cfg index e9278531df..d5aeaf60cd 100644 --- a/resources/variants/goofoo_max_0.6.inst.cfg +++ b/resources/variants/goofoo_max_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_max_0.8.inst.cfg b/resources/variants/goofoo_max_0.8.inst.cfg index 4a5cfb3ab2..ce98b2151f 100644 --- a/resources/variants/goofoo_max_0.8.inst.cfg +++ b/resources/variants/goofoo_max_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_max_1.0.inst.cfg b/resources/variants/goofoo_max_1.0.inst.cfg index 04fc809db4..a8d39afcf7 100644 --- a/resources/variants/goofoo_max_1.0.inst.cfg +++ b/resources/variants/goofoo_max_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_mido_0.2.inst.cfg b/resources/variants/goofoo_mido_0.2.inst.cfg index c6298fe114..3ea29bddb6 100644 --- a/resources/variants/goofoo_mido_0.2.inst.cfg +++ b/resources/variants/goofoo_mido_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_mido [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_mido_0.4.inst.cfg b/resources/variants/goofoo_mido_0.4.inst.cfg index 0a3e6a3d60..a19b1f840a 100644 --- a/resources/variants/goofoo_mido_0.4.inst.cfg +++ b/resources/variants/goofoo_mido_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_mido [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_mido_0.6.inst.cfg b/resources/variants/goofoo_mido_0.6.inst.cfg index 2cc35370de..7e845c77a3 100644 --- a/resources/variants/goofoo_mido_0.6.inst.cfg +++ b/resources/variants/goofoo_mido_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_mido [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_mido_0.8.inst.cfg b/resources/variants/goofoo_mido_0.8.inst.cfg index 7b81b0846c..376f3c5c9e 100644 --- a/resources/variants/goofoo_mido_0.8.inst.cfg +++ b/resources/variants/goofoo_mido_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_mido [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_mido_1.0.inst.cfg b/resources/variants/goofoo_mido_1.0.inst.cfg index b972a2e65f..5ad1655cd6 100644 --- a/resources/variants/goofoo_mido_1.0.inst.cfg +++ b/resources/variants/goofoo_mido_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_mido [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_miniplus_0.2.inst.cfg b/resources/variants/goofoo_miniplus_0.2.inst.cfg index 448ba99150..951b5dcc02 100644 --- a/resources/variants/goofoo_miniplus_0.2.inst.cfg +++ b/resources/variants/goofoo_miniplus_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_miniplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_miniplus_0.4.inst.cfg b/resources/variants/goofoo_miniplus_0.4.inst.cfg index b9104a1551..b85bb57e3d 100644 --- a/resources/variants/goofoo_miniplus_0.4.inst.cfg +++ b/resources/variants/goofoo_miniplus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_miniplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_miniplus_0.6.inst.cfg b/resources/variants/goofoo_miniplus_0.6.inst.cfg index 77308346f6..8b3bf12224 100644 --- a/resources/variants/goofoo_miniplus_0.6.inst.cfg +++ b/resources/variants/goofoo_miniplus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_miniplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_miniplus_0.8.inst.cfg b/resources/variants/goofoo_miniplus_0.8.inst.cfg index f34c8d2b4d..42547f3913 100644 --- a/resources/variants/goofoo_miniplus_0.8.inst.cfg +++ b/resources/variants/goofoo_miniplus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_miniplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_miniplus_1.0.inst.cfg b/resources/variants/goofoo_miniplus_1.0.inst.cfg index f76e70a92d..3587dc05ce 100644 --- a/resources/variants/goofoo_miniplus_1.0.inst.cfg +++ b/resources/variants/goofoo_miniplus_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_miniplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_nova_0.2.inst.cfg b/resources/variants/goofoo_nova_0.2.inst.cfg index 45c5c87b3d..2f2e37047a 100644 --- a/resources/variants/goofoo_nova_0.2.inst.cfg +++ b/resources/variants/goofoo_nova_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_nova [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_nova_0.4.inst.cfg b/resources/variants/goofoo_nova_0.4.inst.cfg index ee2184044b..682058aee6 100644 --- a/resources/variants/goofoo_nova_0.4.inst.cfg +++ b/resources/variants/goofoo_nova_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_nova [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_nova_0.6.inst.cfg b/resources/variants/goofoo_nova_0.6.inst.cfg index ee0443a5a7..9ef6935046 100644 --- a/resources/variants/goofoo_nova_0.6.inst.cfg +++ b/resources/variants/goofoo_nova_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_nova [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_nova_0.8.inst.cfg b/resources/variants/goofoo_nova_0.8.inst.cfg index f0994e4b97..475c5e7386 100644 --- a/resources/variants/goofoo_nova_0.8.inst.cfg +++ b/resources/variants/goofoo_nova_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_nova [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_nova_1.0.inst.cfg b/resources/variants/goofoo_nova_1.0.inst.cfg index e85dfb9ba9..b595bbe94c 100644 --- a/resources/variants/goofoo_nova_1.0.inst.cfg +++ b/resources/variants/goofoo_nova_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_nova [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_plus_0.2.inst.cfg b/resources/variants/goofoo_plus_0.2.inst.cfg index 5c79d73291..bffbde44fa 100644 --- a/resources/variants/goofoo_plus_0.2.inst.cfg +++ b/resources/variants/goofoo_plus_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_plus_0.4.inst.cfg b/resources/variants/goofoo_plus_0.4.inst.cfg index 7682e075c4..d74eaf9fac 100644 --- a/resources/variants/goofoo_plus_0.4.inst.cfg +++ b/resources/variants/goofoo_plus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_plus_0.6.inst.cfg b/resources/variants/goofoo_plus_0.6.inst.cfg index 1064821ffb..c7191bc658 100644 --- a/resources/variants/goofoo_plus_0.6.inst.cfg +++ b/resources/variants/goofoo_plus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_plus_0.8.inst.cfg b/resources/variants/goofoo_plus_0.8.inst.cfg index 8893542a24..7b847896c1 100644 --- a/resources/variants/goofoo_plus_0.8.inst.cfg +++ b/resources/variants/goofoo_plus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_plus_1.0.inst.cfg b/resources/variants/goofoo_plus_1.0.inst.cfg index e2208bdfc5..2cf9df66de 100644 --- a/resources/variants/goofoo_plus_1.0.inst.cfg +++ b/resources/variants/goofoo_plus_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_t-one_0.2.inst.cfg b/resources/variants/goofoo_t-one_0.2.inst.cfg index e1b874aa7f..5eb0e327e7 100644 --- a/resources/variants/goofoo_t-one_0.2.inst.cfg +++ b/resources/variants/goofoo_t-one_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_t-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_t-one_0.4.inst.cfg b/resources/variants/goofoo_t-one_0.4.inst.cfg index 4a5b0aa9e0..e5bd5a06fa 100644 --- a/resources/variants/goofoo_t-one_0.4.inst.cfg +++ b/resources/variants/goofoo_t-one_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_t-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_t-one_0.6.inst.cfg b/resources/variants/goofoo_t-one_0.6.inst.cfg index e79e809e32..2c57cd5d2e 100644 --- a/resources/variants/goofoo_t-one_0.6.inst.cfg +++ b/resources/variants/goofoo_t-one_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_t-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_t-one_0.8.inst.cfg b/resources/variants/goofoo_t-one_0.8.inst.cfg index f0607fa287..f28337705c 100644 --- a/resources/variants/goofoo_t-one_0.8.inst.cfg +++ b/resources/variants/goofoo_t-one_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_t-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_t-one_1.0.inst.cfg b/resources/variants/goofoo_t-one_1.0.inst.cfg index a3a7aeb4b9..94cc5a239c 100644 --- a/resources/variants/goofoo_t-one_1.0.inst.cfg +++ b/resources/variants/goofoo_t-one_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_t-one [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tiny_0.2.inst.cfg b/resources/variants/goofoo_tiny_0.2.inst.cfg index 92abb10538..cc362854da 100644 --- a/resources/variants/goofoo_tiny_0.2.inst.cfg +++ b/resources/variants/goofoo_tiny_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tiny [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tiny_0.4.inst.cfg b/resources/variants/goofoo_tiny_0.4.inst.cfg index d84712a365..2cec206f05 100644 --- a/resources/variants/goofoo_tiny_0.4.inst.cfg +++ b/resources/variants/goofoo_tiny_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tiny [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tiny_0.6.inst.cfg b/resources/variants/goofoo_tiny_0.6.inst.cfg index 30fe87c664..e9e7a077ce 100644 --- a/resources/variants/goofoo_tiny_0.6.inst.cfg +++ b/resources/variants/goofoo_tiny_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tiny [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tiny_0.8.inst.cfg b/resources/variants/goofoo_tiny_0.8.inst.cfg index 800858230a..998ce207e9 100644 --- a/resources/variants/goofoo_tiny_0.8.inst.cfg +++ b/resources/variants/goofoo_tiny_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tiny [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tiny_1.0.inst.cfg b/resources/variants/goofoo_tiny_1.0.inst.cfg index 7cc1a7548c..81ab8513f7 100644 --- a/resources/variants/goofoo_tiny_1.0.inst.cfg +++ b/resources/variants/goofoo_tiny_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tiny [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tinyplus_0.2.inst.cfg b/resources/variants/goofoo_tinyplus_0.2.inst.cfg index fdb2956c02..76daac213b 100644 --- a/resources/variants/goofoo_tinyplus_0.2.inst.cfg +++ b/resources/variants/goofoo_tinyplus_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tinyplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tinyplus_0.4.inst.cfg b/resources/variants/goofoo_tinyplus_0.4.inst.cfg index b8d3784ade..08069b2937 100644 --- a/resources/variants/goofoo_tinyplus_0.4.inst.cfg +++ b/resources/variants/goofoo_tinyplus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tinyplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tinyplus_0.6.inst.cfg b/resources/variants/goofoo_tinyplus_0.6.inst.cfg index 981d241759..5c10586b5c 100644 --- a/resources/variants/goofoo_tinyplus_0.6.inst.cfg +++ b/resources/variants/goofoo_tinyplus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tinyplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tinyplus_0.8.inst.cfg b/resources/variants/goofoo_tinyplus_0.8.inst.cfg index 5804a0a3e7..99e1c5953c 100644 --- a/resources/variants/goofoo_tinyplus_0.8.inst.cfg +++ b/resources/variants/goofoo_tinyplus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tinyplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/goofoo_tinyplus_1.0.inst.cfg b/resources/variants/goofoo_tinyplus_1.0.inst.cfg index 9aae3394cb..d944630d6c 100644 --- a/resources/variants/goofoo_tinyplus_1.0.inst.cfg +++ b/resources/variants/goofoo_tinyplus_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = goofoo_tinyplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/hms434_0.4tpnozzle.inst.cfg b/resources/variants/hms434_0.4tpnozzle.inst.cfg index 227a26768d..403e562992 100644 --- a/resources/variants/hms434_0.4tpnozzle.inst.cfg +++ b/resources/variants/hms434_0.4tpnozzle.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = hms434 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/hms434_0.8tpnozzle.inst.cfg b/resources/variants/hms434_0.8tpnozzle.inst.cfg index 755d8e889c..8e047d458c 100644 --- a/resources/variants/hms434_0.8tpnozzle.inst.cfg +++ b/resources/variants/hms434_0.8tpnozzle.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = hms434 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/imade3d_jellybox_0.4.inst.cfg b/resources/variants/imade3d_jellybox_0.4.inst.cfg index a87fc1d635..1db190a95b 100644 --- a/resources/variants/imade3d_jellybox_0.4.inst.cfg +++ b/resources/variants/imade3d_jellybox_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = imade3d_jellybox [metadata] author = IMADE3D -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/imade3d_jellybox_2_0.4.inst.cfg b/resources/variants/imade3d_jellybox_2_0.4.inst.cfg index 5b9eea9925..111a9bfb2b 100644 --- a/resources/variants/imade3d_jellybox_2_0.4.inst.cfg +++ b/resources/variants/imade3d_jellybox_2_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = imade3d_jellybox_2 [metadata] author = IMADE3D -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_0.2.inst.cfg b/resources/variants/kingroon_kp3_0.2.inst.cfg index f8236d9e44..e9a323377f 100644 --- a/resources/variants/kingroon_kp3_0.2.inst.cfg +++ b/resources/variants/kingroon_kp3_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_0.3.inst.cfg b/resources/variants/kingroon_kp3_0.3.inst.cfg index 2fd5b86ee6..b0e944dca3 100644 --- a/resources/variants/kingroon_kp3_0.3.inst.cfg +++ b/resources/variants/kingroon_kp3_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_0.4.inst.cfg b/resources/variants/kingroon_kp3_0.4.inst.cfg index ede851ebfb..26f2015168 100644 --- a/resources/variants/kingroon_kp3_0.4.inst.cfg +++ b/resources/variants/kingroon_kp3_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_0.5.inst.cfg b/resources/variants/kingroon_kp3_0.5.inst.cfg index d4f3c20f19..e2cc077ed2 100644 --- a/resources/variants/kingroon_kp3_0.5.inst.cfg +++ b/resources/variants/kingroon_kp3_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_0.6.inst.cfg b/resources/variants/kingroon_kp3_0.6.inst.cfg index 6e88d63055..36ffc8ee25 100644 --- a/resources/variants/kingroon_kp3_0.6.inst.cfg +++ b/resources/variants/kingroon_kp3_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_0.8.inst.cfg b/resources/variants/kingroon_kp3_0.8.inst.cfg index 7a9a4b0db5..d189ce6f05 100644 --- a/resources/variants/kingroon_kp3_0.8.inst.cfg +++ b/resources/variants/kingroon_kp3_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3_1.0.inst.cfg b/resources/variants/kingroon_kp3_1.0.inst.cfg index d1443b6bd4..966f973249 100644 --- a/resources/variants/kingroon_kp3_1.0.inst.cfg +++ b/resources/variants/kingroon_kp3_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_0.2.inst.cfg b/resources/variants/kingroon_kp3s_0.2.inst.cfg index 2ebf5e16e7..7945fc74cb 100644 --- a/resources/variants/kingroon_kp3s_0.2.inst.cfg +++ b/resources/variants/kingroon_kp3s_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_0.3.inst.cfg b/resources/variants/kingroon_kp3s_0.3.inst.cfg index 0642712420..d19c8b8631 100644 --- a/resources/variants/kingroon_kp3s_0.3.inst.cfg +++ b/resources/variants/kingroon_kp3s_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_0.4.inst.cfg b/resources/variants/kingroon_kp3s_0.4.inst.cfg index 0d3f4f5b1e..47a0203a5f 100644 --- a/resources/variants/kingroon_kp3s_0.4.inst.cfg +++ b/resources/variants/kingroon_kp3s_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_0.5.inst.cfg b/resources/variants/kingroon_kp3s_0.5.inst.cfg index 647d16e1eb..9b6853ae72 100644 --- a/resources/variants/kingroon_kp3s_0.5.inst.cfg +++ b/resources/variants/kingroon_kp3s_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_0.6.inst.cfg b/resources/variants/kingroon_kp3s_0.6.inst.cfg index 254b40b45a..d23e988d50 100644 --- a/resources/variants/kingroon_kp3s_0.6.inst.cfg +++ b/resources/variants/kingroon_kp3s_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_0.8.inst.cfg b/resources/variants/kingroon_kp3s_0.8.inst.cfg index 165e5ec1a6..965d6b9f02 100644 --- a/resources/variants/kingroon_kp3s_0.8.inst.cfg +++ b/resources/variants/kingroon_kp3s_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kingroon_kp3s_1.0.inst.cfg b/resources/variants/kingroon_kp3s_1.0.inst.cfg index 7352e422ec..f708a97bc2 100644 --- a/resources/variants/kingroon_kp3s_1.0.inst.cfg +++ b/resources/variants/kingroon_kp3s_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = kingroon_kp3s [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.2.inst.cfg b/resources/variants/kosher220_0.2.inst.cfg index d3a35d5e67..5b23ab2b50 100644 --- a/resources/variants/kosher220_0.2.inst.cfg +++ b/resources/variants/kosher220_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.3.inst.cfg b/resources/variants/kosher220_0.3.inst.cfg index ccbad4934f..acc57b8c6a 100644 --- a/resources/variants/kosher220_0.3.inst.cfg +++ b/resources/variants/kosher220_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.4.inst.cfg b/resources/variants/kosher220_0.4.inst.cfg index 074dca7328..48fc614103 100644 --- a/resources/variants/kosher220_0.4.inst.cfg +++ b/resources/variants/kosher220_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.5.inst.cfg b/resources/variants/kosher220_0.5.inst.cfg index 71497f3779..78300ce4d4 100644 --- a/resources/variants/kosher220_0.5.inst.cfg +++ b/resources/variants/kosher220_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.6.inst.cfg b/resources/variants/kosher220_0.6.inst.cfg index 205466d278..8476857104 100644 --- a/resources/variants/kosher220_0.6.inst.cfg +++ b/resources/variants/kosher220_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_0.8.inst.cfg b/resources/variants/kosher220_0.8.inst.cfg index a167f667b3..d08c00ea9e 100644 --- a/resources/variants/kosher220_0.8.inst.cfg +++ b/resources/variants/kosher220_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_dm_0.2.inst.cfg b/resources/variants/kosher220_dm_0.2.inst.cfg index 88e1054133..6eb8fa7f39 100644 --- a/resources/variants/kosher220_dm_0.2.inst.cfg +++ b/resources/variants/kosher220_dm_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_dm_0.3.inst.cfg b/resources/variants/kosher220_dm_0.3.inst.cfg index 131d7a8fdc..589beb9532 100644 --- a/resources/variants/kosher220_dm_0.3.inst.cfg +++ b/resources/variants/kosher220_dm_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_dm_0.4.inst.cfg b/resources/variants/kosher220_dm_0.4.inst.cfg index 1861d7c92c..20702f8684 100644 --- a/resources/variants/kosher220_dm_0.4.inst.cfg +++ b/resources/variants/kosher220_dm_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_dm_0.5.inst.cfg b/resources/variants/kosher220_dm_0.5.inst.cfg index 706d2fedfd..774c1c6835 100644 --- a/resources/variants/kosher220_dm_0.5.inst.cfg +++ b/resources/variants/kosher220_dm_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_dm_0.6.inst.cfg b/resources/variants/kosher220_dm_0.6.inst.cfg index bf66dfbfef..d533907883 100644 --- a/resources/variants/kosher220_dm_0.6.inst.cfg +++ b/resources/variants/kosher220_dm_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_dm_0.8.inst.cfg b/resources/variants/kosher220_dm_0.8.inst.cfg index b70997c937..3775304d65 100644 --- a/resources/variants/kosher220_dm_0.8.inst.cfg +++ b/resources/variants/kosher220_dm_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_mm_0.2.inst.cfg b/resources/variants/kosher220_mm_0.2.inst.cfg index 8b0f773602..66087e4a5c 100644 --- a/resources/variants/kosher220_mm_0.2.inst.cfg +++ b/resources/variants/kosher220_mm_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_mirror [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_mm_0.3.inst.cfg b/resources/variants/kosher220_mm_0.3.inst.cfg index 1ab7b5e4f3..6e0fb8c4c8 100644 --- a/resources/variants/kosher220_mm_0.3.inst.cfg +++ b/resources/variants/kosher220_mm_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_mirror [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_mm_0.4.inst.cfg b/resources/variants/kosher220_mm_0.4.inst.cfg index a6087e6847..8d215abd6e 100644 --- a/resources/variants/kosher220_mm_0.4.inst.cfg +++ b/resources/variants/kosher220_mm_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_mirror [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_mm_0.5.inst.cfg b/resources/variants/kosher220_mm_0.5.inst.cfg index 91a89a0602..9757654b70 100644 --- a/resources/variants/kosher220_mm_0.5.inst.cfg +++ b/resources/variants/kosher220_mm_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_mirror [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_mm_0.6.inst.cfg b/resources/variants/kosher220_mm_0.6.inst.cfg index 4002944956..63cc553f5c 100644 --- a/resources/variants/kosher220_mm_0.6.inst.cfg +++ b/resources/variants/kosher220_mm_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_mirror [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_mm_0.8.inst.cfg b/resources/variants/kosher220_mm_0.8.inst.cfg index a7c0444820..9baf4203ea 100644 --- a/resources/variants/kosher220_mm_0.8.inst.cfg +++ b/resources/variants/kosher220_mm_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_mirror [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_pva_0.2.inst.cfg b/resources/variants/kosher220_pva_0.2.inst.cfg index 516e605449..aaf0f0d672 100644 --- a/resources/variants/kosher220_pva_0.2.inst.cfg +++ b/resources/variants/kosher220_pva_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_pva_0.3.inst.cfg b/resources/variants/kosher220_pva_0.3.inst.cfg index 746b8cd2d3..6e8983f2f3 100644 --- a/resources/variants/kosher220_pva_0.3.inst.cfg +++ b/resources/variants/kosher220_pva_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = kosher_duplication [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_pva_0.4.inst.cfg b/resources/variants/kosher220_pva_0.4.inst.cfg index c2698d0c03..2cfbc31235 100644 --- a/resources/variants/kosher220_pva_0.4.inst.cfg +++ b/resources/variants/kosher220_pva_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_pva_0.5.inst.cfg b/resources/variants/kosher220_pva_0.5.inst.cfg index 4a4c77401e..d4591cd560 100644 --- a/resources/variants/kosher220_pva_0.5.inst.cfg +++ b/resources/variants/kosher220_pva_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_pva_0.6.inst.cfg b/resources/variants/kosher220_pva_0.6.inst.cfg index c51d49d896..f7a24999f7 100644 --- a/resources/variants/kosher220_pva_0.6.inst.cfg +++ b/resources/variants/kosher220_pva_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/kosher220_pva_0.8.inst.cfg b/resources/variants/kosher220_pva_0.8.inst.cfg index 18ceb739b3..7c9cfeda9c 100644 --- a/resources/variants/kosher220_pva_0.8.inst.cfg +++ b/resources/variants/kosher220_pva_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = kosher [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/liquid_vo04.inst.cfg b/resources/variants/liquid_vo04.inst.cfg index 28b9cce6d5..adfc5852fb 100644 --- a/resources/variants/liquid_vo04.inst.cfg +++ b/resources/variants/liquid_vo04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/liquid_vo06.inst.cfg b/resources/variants/liquid_vo06.inst.cfg index 5878a6afae..74c0189a03 100644 --- a/resources/variants/liquid_vo06.inst.cfg +++ b/resources/variants/liquid_vo06.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/liquid_vo08.inst.cfg b/resources/variants/liquid_vo08.inst.cfg index ec014e9ec4..7a84aad82c 100644 --- a/resources/variants/liquid_vo08.inst.cfg +++ b/resources/variants/liquid_vo08.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = liquid [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_base_0.4.inst.cfg b/resources/variants/longer/longer_base_0.4.inst.cfg index f9a22c3c32..2f18181cb3 100644 --- a/resources/variants/longer/longer_base_0.4.inst.cfg +++ b/resources/variants/longer/longer_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_cube2_0.4.inst.cfg b/resources/variants/longer/longer_cube2_0.4.inst.cfg index 9d56ff9ac0..1283a0d393 100644 --- a/resources/variants/longer/longer_cube2_0.4.inst.cfg +++ b/resources/variants/longer/longer_cube2_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_cube2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk1_0.4.inst.cfg b/resources/variants/longer/longer_lk1_0.4.inst.cfg index dd5712c424..2ed19ed597 100644 --- a/resources/variants/longer/longer_lk1_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk1_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk1 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk1plus_0.4.inst.cfg b/resources/variants/longer/longer_lk1plus_0.4.inst.cfg index e978be3d5a..d28b410eb0 100644 --- a/resources/variants/longer/longer_lk1plus_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk1plus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk1plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk1pro_0.4.inst.cfg b/resources/variants/longer/longer_lk1pro_0.4.inst.cfg index d5a036cc9b..76f50e4b00 100644 --- a/resources/variants/longer/longer_lk1pro_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk1pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk1pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk4_0.4.inst.cfg b/resources/variants/longer/longer_lk4_0.4.inst.cfg index 06e6eb2c93..2bea740801 100644 --- a/resources/variants/longer/longer_lk4_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk4_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk4 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk4pro_0.4.inst.cfg b/resources/variants/longer/longer_lk4pro_0.4.inst.cfg index cb18b90ef1..d6f041a281 100644 --- a/resources/variants/longer/longer_lk4pro_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk4pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk5_0.4.inst.cfg b/resources/variants/longer/longer_lk5_0.4.inst.cfg index edfdfc0d2f..9a5472e2aa 100644 --- a/resources/variants/longer/longer_lk5_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk5_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/longer/longer_lk5pro_0.4.inst.cfg b/resources/variants/longer/longer_lk5pro_0.4.inst.cfg index 192cd7e4ee..b0f9fa06c2 100644 --- a/resources/variants/longer/longer_lk5pro_0.4.inst.cfg +++ b/resources/variants/longer/longer_lk5pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = longer_lk5pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_base_0.2.inst.cfg b/resources/variants/mingda_base_0.2.inst.cfg index 60739fc533..3742ccd65c 100644 --- a/resources/variants/mingda_base_0.2.inst.cfg +++ b/resources/variants/mingda_base_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_base_0.3.inst.cfg b/resources/variants/mingda_base_0.3.inst.cfg index a768a10243..4f53853d97 100644 --- a/resources/variants/mingda_base_0.3.inst.cfg +++ b/resources/variants/mingda_base_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_base_0.4.inst.cfg b/resources/variants/mingda_base_0.4.inst.cfg index 29126bc9a6..d58fd69c40 100644 --- a/resources/variants/mingda_base_0.4.inst.cfg +++ b/resources/variants/mingda_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_base_0.6.inst.cfg b/resources/variants/mingda_base_0.6.inst.cfg index 20e30c7253..43ec27d022 100644 --- a/resources/variants/mingda_base_0.6.inst.cfg +++ b/resources/variants/mingda_base_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_base_0.8.inst.cfg b/resources/variants/mingda_base_0.8.inst.cfg index 0ce440ad3c..75f63903b3 100644 --- a/resources/variants/mingda_base_0.8.inst.cfg +++ b/resources/variants/mingda_base_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_base_1.0.inst.cfg b/resources/variants/mingda_base_1.0.inst.cfg index 6d91f5a18f..cf3074516a 100644 --- a/resources/variants/mingda_base_1.0.inst.cfg +++ b/resources/variants/mingda_base_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_0.2.inst.cfg b/resources/variants/mingda_d2_0.2.inst.cfg index 355bca13b3..503eaf0ff7 100644 --- a/resources/variants/mingda_d2_0.2.inst.cfg +++ b/resources/variants/mingda_d2_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_0.3.inst.cfg b/resources/variants/mingda_d2_0.3.inst.cfg index 9c35c93a28..2efaabce64 100644 --- a/resources/variants/mingda_d2_0.3.inst.cfg +++ b/resources/variants/mingda_d2_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_0.4.inst.cfg b/resources/variants/mingda_d2_0.4.inst.cfg index 444289bf05..d40704f7ea 100644 --- a/resources/variants/mingda_d2_0.4.inst.cfg +++ b/resources/variants/mingda_d2_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_0.5.inst.cfg b/resources/variants/mingda_d2_0.5.inst.cfg index 1d7041c6d7..25b3faed5e 100644 --- a/resources/variants/mingda_d2_0.5.inst.cfg +++ b/resources/variants/mingda_d2_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_0.6.inst.cfg b/resources/variants/mingda_d2_0.6.inst.cfg index 9266c732ff..c8ef8362fc 100644 --- a/resources/variants/mingda_d2_0.6.inst.cfg +++ b/resources/variants/mingda_d2_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_0.8.inst.cfg b/resources/variants/mingda_d2_0.8.inst.cfg index 2babbe9b0a..5e33265ab1 100644 --- a/resources/variants/mingda_d2_0.8.inst.cfg +++ b/resources/variants/mingda_d2_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d2_1.0.inst.cfg b/resources/variants/mingda_d2_1.0.inst.cfg index b31be542db..8c47de1c8f 100644 --- a/resources/variants/mingda_d2_1.0.inst.cfg +++ b/resources/variants/mingda_d2_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_0.2.inst.cfg b/resources/variants/mingda_d3pro_0.2.inst.cfg index bbd388b7ec..bb71aa9473 100644 --- a/resources/variants/mingda_d3pro_0.2.inst.cfg +++ b/resources/variants/mingda_d3pro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_0.3.inst.cfg b/resources/variants/mingda_d3pro_0.3.inst.cfg index 0ca663ec64..8c09769157 100644 --- a/resources/variants/mingda_d3pro_0.3.inst.cfg +++ b/resources/variants/mingda_d3pro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_0.4.inst.cfg b/resources/variants/mingda_d3pro_0.4.inst.cfg index 726c6ee6ee..8c971486fb 100644 --- a/resources/variants/mingda_d3pro_0.4.inst.cfg +++ b/resources/variants/mingda_d3pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_0.5.inst.cfg b/resources/variants/mingda_d3pro_0.5.inst.cfg index 466f21df8c..6d83eb5ceb 100644 --- a/resources/variants/mingda_d3pro_0.5.inst.cfg +++ b/resources/variants/mingda_d3pro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_0.6.inst.cfg b/resources/variants/mingda_d3pro_0.6.inst.cfg index 7df8a45793..a3d904e41c 100644 --- a/resources/variants/mingda_d3pro_0.6.inst.cfg +++ b/resources/variants/mingda_d3pro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_0.8.inst.cfg b/resources/variants/mingda_d3pro_0.8.inst.cfg index aad7c8497d..75341e3f35 100644 --- a/resources/variants/mingda_d3pro_0.8.inst.cfg +++ b/resources/variants/mingda_d3pro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d3pro_1.0.inst.cfg b/resources/variants/mingda_d3pro_1.0.inst.cfg index 57f807b5fc..0f997ee714 100644 --- a/resources/variants/mingda_d3pro_1.0.inst.cfg +++ b/resources/variants/mingda_d3pro_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d3pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_0.2.inst.cfg b/resources/variants/mingda_d4pro_0.2.inst.cfg index c9a38a5b29..ea22ef8fcf 100644 --- a/resources/variants/mingda_d4pro_0.2.inst.cfg +++ b/resources/variants/mingda_d4pro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_0.3.inst.cfg b/resources/variants/mingda_d4pro_0.3.inst.cfg index bd7b51ee13..57e21332ed 100644 --- a/resources/variants/mingda_d4pro_0.3.inst.cfg +++ b/resources/variants/mingda_d4pro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_0.4.inst.cfg b/resources/variants/mingda_d4pro_0.4.inst.cfg index c0f08c7502..eebe710fca 100644 --- a/resources/variants/mingda_d4pro_0.4.inst.cfg +++ b/resources/variants/mingda_d4pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_0.5.inst.cfg b/resources/variants/mingda_d4pro_0.5.inst.cfg index 70a654c936..2c241dcf17 100644 --- a/resources/variants/mingda_d4pro_0.5.inst.cfg +++ b/resources/variants/mingda_d4pro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_0.6.inst.cfg b/resources/variants/mingda_d4pro_0.6.inst.cfg index 6712f4dc6e..44acb3410d 100644 --- a/resources/variants/mingda_d4pro_0.6.inst.cfg +++ b/resources/variants/mingda_d4pro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_0.8.inst.cfg b/resources/variants/mingda_d4pro_0.8.inst.cfg index cf4f47ebf4..ee5f265397 100644 --- a/resources/variants/mingda_d4pro_0.8.inst.cfg +++ b/resources/variants/mingda_d4pro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_d4pro_1.0.inst.cfg b/resources/variants/mingda_d4pro_1.0.inst.cfg index 184d15ad98..ab9caba44c 100644 --- a/resources/variants/mingda_d4pro_1.0.inst.cfg +++ b/resources/variants/mingda_d4pro_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_d4pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_0.2.inst.cfg b/resources/variants/mingda_rock3_0.2.inst.cfg index c5606549f4..3aaa30743b 100644 --- a/resources/variants/mingda_rock3_0.2.inst.cfg +++ b/resources/variants/mingda_rock3_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_0.3.inst.cfg b/resources/variants/mingda_rock3_0.3.inst.cfg index c589fa35a1..1bb6e3d9d0 100644 --- a/resources/variants/mingda_rock3_0.3.inst.cfg +++ b/resources/variants/mingda_rock3_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_0.4.inst.cfg b/resources/variants/mingda_rock3_0.4.inst.cfg index 334510de94..b0a91f7cf1 100644 --- a/resources/variants/mingda_rock3_0.4.inst.cfg +++ b/resources/variants/mingda_rock3_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_0.5.inst.cfg b/resources/variants/mingda_rock3_0.5.inst.cfg index 976500ffe3..25e1dcf9e3 100644 --- a/resources/variants/mingda_rock3_0.5.inst.cfg +++ b/resources/variants/mingda_rock3_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_0.6.inst.cfg b/resources/variants/mingda_rock3_0.6.inst.cfg index 221478afd9..39c952763e 100644 --- a/resources/variants/mingda_rock3_0.6.inst.cfg +++ b/resources/variants/mingda_rock3_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_0.8.inst.cfg b/resources/variants/mingda_rock3_0.8.inst.cfg index bf80dd4a57..f3b6fcfcba 100644 --- a/resources/variants/mingda_rock3_0.8.inst.cfg +++ b/resources/variants/mingda_rock3_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/mingda_rock3_1.0.inst.cfg b/resources/variants/mingda_rock3_1.0.inst.cfg index 5a03b475e6..7594cfe0ca 100644 --- a/resources/variants/mingda_rock3_1.0.inst.cfg +++ b/resources/variants/mingda_rock3_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = mingda_rock3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/nwa3d_a31_04.inst.cfg b/resources/variants/nwa3d_a31_04.inst.cfg index 7e72eddc2f..63c8a9df3e 100644 --- a/resources/variants/nwa3d_a31_04.inst.cfg +++ b/resources/variants/nwa3d_a31_04.inst.cfg @@ -5,7 +5,7 @@ definition = nwa3d_a31 [metadata] author = DragonJe -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/nwa3d_a31_06.inst.cfg b/resources/variants/nwa3d_a31_06.inst.cfg index 2d3968c685..c613150690 100644 --- a/resources/variants/nwa3d_a31_06.inst.cfg +++ b/resources/variants/nwa3d_a31_06.inst.cfg @@ -5,7 +5,7 @@ definition = nwa3d_a31 [metadata] author = DragonJe -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_basic3_0.2.inst.cfg b/resources/variants/renkforce_basic3_0.2.inst.cfg index 2340e80850..4ea75089e6 100644 --- a/resources/variants/renkforce_basic3_0.2.inst.cfg +++ b/resources/variants/renkforce_basic3_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_basic3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_basic3_0.4.inst.cfg b/resources/variants/renkforce_basic3_0.4.inst.cfg index f2032ce59a..ba7c163bde 100644 --- a/resources/variants/renkforce_basic3_0.4.inst.cfg +++ b/resources/variants/renkforce_basic3_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_basic3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_basic3_0.6.inst.cfg b/resources/variants/renkforce_basic3_0.6.inst.cfg index 8574500f58..1ab27543f0 100644 --- a/resources/variants/renkforce_basic3_0.6.inst.cfg +++ b/resources/variants/renkforce_basic3_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_basic3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_basic3_0.8.inst.cfg b/resources/variants/renkforce_basic3_0.8.inst.cfg index d30cf768f9..3bed7e5d58 100644 --- a/resources/variants/renkforce_basic3_0.8.inst.cfg +++ b/resources/variants/renkforce_basic3_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_basic3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_basic3_1.0.inst.cfg b/resources/variants/renkforce_basic3_1.0.inst.cfg index b2930b4e94..a968478943 100644 --- a/resources/variants/renkforce_basic3_1.0.inst.cfg +++ b/resources/variants/renkforce_basic3_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_basic3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro3_0.2.inst.cfg b/resources/variants/renkforce_pro3_0.2.inst.cfg index 4cee56b496..26977e0f12 100644 --- a/resources/variants/renkforce_pro3_0.2.inst.cfg +++ b/resources/variants/renkforce_pro3_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro3_0.4.inst.cfg b/resources/variants/renkforce_pro3_0.4.inst.cfg index 49b5b2ef87..b5cc188f18 100644 --- a/resources/variants/renkforce_pro3_0.4.inst.cfg +++ b/resources/variants/renkforce_pro3_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro3_0.6.inst.cfg b/resources/variants/renkforce_pro3_0.6.inst.cfg index 91324cca04..46cca56594 100644 --- a/resources/variants/renkforce_pro3_0.6.inst.cfg +++ b/resources/variants/renkforce_pro3_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro3_0.8.inst.cfg b/resources/variants/renkforce_pro3_0.8.inst.cfg index 13e52e62e3..45d7c4eaa2 100644 --- a/resources/variants/renkforce_pro3_0.8.inst.cfg +++ b/resources/variants/renkforce_pro3_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro3_1.0.inst.cfg b/resources/variants/renkforce_pro3_1.0.inst.cfg index da2ab0bd77..dba34e48a5 100644 --- a/resources/variants/renkforce_pro3_1.0.inst.cfg +++ b/resources/variants/renkforce_pro3_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro6_0.2.inst.cfg b/resources/variants/renkforce_pro6_0.2.inst.cfg index 6906df0652..0a16051854 100644 --- a/resources/variants/renkforce_pro6_0.2.inst.cfg +++ b/resources/variants/renkforce_pro6_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro6_0.4.inst.cfg b/resources/variants/renkforce_pro6_0.4.inst.cfg index 767eefcc71..5860e33357 100644 --- a/resources/variants/renkforce_pro6_0.4.inst.cfg +++ b/resources/variants/renkforce_pro6_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro6_0.6.inst.cfg b/resources/variants/renkforce_pro6_0.6.inst.cfg index f9fa48286f..284a54585b 100644 --- a/resources/variants/renkforce_pro6_0.6.inst.cfg +++ b/resources/variants/renkforce_pro6_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro6_0.8.inst.cfg b/resources/variants/renkforce_pro6_0.8.inst.cfg index 669a23e863..fbf9885965 100644 --- a/resources/variants/renkforce_pro6_0.8.inst.cfg +++ b/resources/variants/renkforce_pro6_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/renkforce_pro6_1.0.inst.cfg b/resources/variants/renkforce_pro6_1.0.inst.cfg index ac5f8aa991..5ff7de57e5 100644 --- a/resources/variants/renkforce_pro6_1.0.inst.cfg +++ b/resources/variants/renkforce_pro6_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = renkforce_pro6 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_high_temp_04.inst.cfg b/resources/variants/strateo3d_high_temp_04.inst.cfg index 571ca87dd7..161b3abefd 100644 --- a/resources/variants/strateo3d_high_temp_04.inst.cfg +++ b/resources/variants/strateo3d_high_temp_04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_standard_04.inst.cfg b/resources/variants/strateo3d_standard_04.inst.cfg index 0c0d5a317a..ee858f1809 100644 --- a/resources/variants/strateo3d_standard_04.inst.cfg +++ b/resources/variants/strateo3d_standard_04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_standard_06.inst.cfg b/resources/variants/strateo3d_standard_06.inst.cfg index 9eb942c553..14594a3bf8 100644 --- a/resources/variants/strateo3d_standard_06.inst.cfg +++ b/resources/variants/strateo3d_standard_06.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_standard_08.inst.cfg b/resources/variants/strateo3d_standard_08.inst.cfg index 6cd2cbe776..2a639e2cce 100644 --- a/resources/variants/strateo3d_standard_08.inst.cfg +++ b/resources/variants/strateo3d_standard_08.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_standard_10.inst.cfg b/resources/variants/strateo3d_standard_10.inst.cfg index 01f34b1b92..8ca5328961 100644 --- a/resources/variants/strateo3d_standard_10.inst.cfg +++ b/resources/variants/strateo3d_standard_10.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/strateo3d_standard_12.inst.cfg b/resources/variants/strateo3d_standard_12.inst.cfg index a35ed3060e..0456e7bbf0 100644 --- a/resources/variants/strateo3d_standard_12.inst.cfg +++ b/resources/variants/strateo3d_standard_12.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = strateo3d [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.20.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.20.inst.cfg index fb18437a48..3dcfa760ae 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.20.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.25.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.25.inst.cfg index 150db70b45..9742ae9f54 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.25.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.41.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.41.inst.cfg index 9eadaf8ef5..dffe4d6e49 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.41.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.41.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.58.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.58.inst.cfg index 342aeab836..19687a728a 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.58.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.58.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.84.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.84.inst.cfg index e1dd8c1850..2cb8f951d3 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_0.84.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_0.84.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_1.19.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_1.19.inst.cfg index 18b29e3786..96fd008615 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_1.19.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_1.19.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/structur3d_discov3ry1_complete_um2plus_1.60.inst.cfg b/resources/variants/structur3d_discov3ry1_complete_um2plus_1.60.inst.cfg index c03c80ab0e..e5ca4464f2 100644 --- a/resources/variants/structur3d_discov3ry1_complete_um2plus_1.60.inst.cfg +++ b/resources/variants/structur3d_discov3ry1_complete_um2plus_1.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = structur3d_discov3ry1_complete_um2plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_0.2.inst.cfg b/resources/variants/tizyx_evy_0.2.inst.cfg index 3278bc8dfc..38ade9bd27 100644 --- a/resources/variants/tizyx_evy_0.2.inst.cfg +++ b/resources/variants/tizyx_evy_0.2.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_0.3.inst.cfg b/resources/variants/tizyx_evy_0.3.inst.cfg index 25f50f1482..72f4e739fd 100644 --- a/resources/variants/tizyx_evy_0.3.inst.cfg +++ b/resources/variants/tizyx_evy_0.3.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_0.4.inst.cfg b/resources/variants/tizyx_evy_0.4.inst.cfg index 1aecf949d9..b12149ef36 100644 --- a/resources/variants/tizyx_evy_0.4.inst.cfg +++ b/resources/variants/tizyx_evy_0.4.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_0.5.inst.cfg b/resources/variants/tizyx_evy_0.5.inst.cfg index 128128192b..cc8763df73 100644 --- a/resources/variants/tizyx_evy_0.5.inst.cfg +++ b/resources/variants/tizyx_evy_0.5.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_0.6.inst.cfg b/resources/variants/tizyx_evy_0.6.inst.cfg index 1c3bdea117..ae45d571c0 100644 --- a/resources/variants/tizyx_evy_0.6.inst.cfg +++ b/resources/variants/tizyx_evy_0.6.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_0.8.inst.cfg b/resources/variants/tizyx_evy_0.8.inst.cfg index 25dd090850..2c5a70e7a4 100644 --- a/resources/variants/tizyx_evy_0.8.inst.cfg +++ b/resources/variants/tizyx_evy_0.8.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_1.0.inst.cfg b/resources/variants/tizyx_evy_1.0.inst.cfg index 534c7bfdeb..68b5da8316 100644 --- a/resources/variants/tizyx_evy_1.0.inst.cfg +++ b/resources/variants/tizyx_evy_1.0.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_dual_classic.inst.cfg b/resources/variants/tizyx_evy_dual_classic.inst.cfg index 442e2e6200..33fbf2151b 100644 --- a/resources/variants/tizyx_evy_dual_classic.inst.cfg +++ b/resources/variants/tizyx_evy_dual_classic.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy_dual [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_evy_dual_direct_drive.inst.cfg b/resources/variants/tizyx_evy_dual_direct_drive.inst.cfg index 90a18a6b27..3f9f564607 100644 --- a/resources/variants/tizyx_evy_dual_direct_drive.inst.cfg +++ b/resources/variants/tizyx_evy_dual_direct_drive.inst.cfg @@ -5,7 +5,7 @@ definition = tizyx_evy_dual [metadata] author = TiZYX -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_0.2.inst.cfg b/resources/variants/tizyx_k25_0.2.inst.cfg index 52b0d62144..6564d4b24d 100644 --- a/resources/variants/tizyx_k25_0.2.inst.cfg +++ b/resources/variants/tizyx_k25_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_0.3.inst.cfg b/resources/variants/tizyx_k25_0.3.inst.cfg index 3d6d150cf5..ea5fc0b009 100644 --- a/resources/variants/tizyx_k25_0.3.inst.cfg +++ b/resources/variants/tizyx_k25_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_0.4.inst.cfg b/resources/variants/tizyx_k25_0.4.inst.cfg index fa47135b4e..63a4b7f2e3 100644 --- a/resources/variants/tizyx_k25_0.4.inst.cfg +++ b/resources/variants/tizyx_k25_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_0.5.inst.cfg b/resources/variants/tizyx_k25_0.5.inst.cfg index 59770a6fba..93715cdb62 100644 --- a/resources/variants/tizyx_k25_0.5.inst.cfg +++ b/resources/variants/tizyx_k25_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_0.6.inst.cfg b/resources/variants/tizyx_k25_0.6.inst.cfg index b552160209..05ec6d491a 100644 --- a/resources/variants/tizyx_k25_0.6.inst.cfg +++ b/resources/variants/tizyx_k25_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_0.8.inst.cfg b/resources/variants/tizyx_k25_0.8.inst.cfg index 9e607b4ba5..a02476bff0 100644 --- a/resources/variants/tizyx_k25_0.8.inst.cfg +++ b/resources/variants/tizyx_k25_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tizyx_k25_1.0.inst.cfg b/resources/variants/tizyx_k25_1.0.inst.cfg index d8e460abe8..03e43516d2 100644 --- a/resources/variants/tizyx_k25_1.0.inst.cfg +++ b/resources/variants/tizyx_k25_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tizyx_k25 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_d01_0.2.inst.cfg b/resources/variants/tronxy_d01_0.2.inst.cfg index 5b03286943..b08a223384 100644 --- a/resources/variants/tronxy_d01_0.2.inst.cfg +++ b/resources/variants/tronxy_d01_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_d01 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_d01_0.3.inst.cfg b/resources/variants/tronxy_d01_0.3.inst.cfg index 98cafc4429..67386d2c17 100644 --- a/resources/variants/tronxy_d01_0.3.inst.cfg +++ b/resources/variants/tronxy_d01_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_d01 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_d01_0.4.inst.cfg b/resources/variants/tronxy_d01_0.4.inst.cfg index 3be6c31aaa..c9ed6d80ab 100644 --- a/resources/variants/tronxy_d01_0.4.inst.cfg +++ b/resources/variants/tronxy_d01_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_d01 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_d01_0.5.inst.cfg b/resources/variants/tronxy_d01_0.5.inst.cfg index b13118094d..1bd4e3848b 100644 --- a/resources/variants/tronxy_d01_0.5.inst.cfg +++ b/resources/variants/tronxy_d01_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_d01 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_d01_0.6.inst.cfg b/resources/variants/tronxy_d01_0.6.inst.cfg index b60211b621..5465c77b16 100644 --- a/resources/variants/tronxy_d01_0.6.inst.cfg +++ b/resources/variants/tronxy_d01_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_d01 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_d01_0.8.inst.cfg b/resources/variants/tronxy_d01_0.8.inst.cfg index 78f9ff26cf..40b31a6f8e 100644 --- a/resources/variants/tronxy_d01_0.8.inst.cfg +++ b/resources/variants/tronxy_d01_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_d01 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_0.2.inst.cfg b/resources/variants/tronxy_x5sa_0.2.inst.cfg index debf0023d4..55f8695eed 100644 --- a/resources/variants/tronxy_x5sa_0.2.inst.cfg +++ b/resources/variants/tronxy_x5sa_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_0.3.inst.cfg b/resources/variants/tronxy_x5sa_0.3.inst.cfg index 12bdd4a689..7f9549a5d5 100644 --- a/resources/variants/tronxy_x5sa_0.3.inst.cfg +++ b/resources/variants/tronxy_x5sa_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_0.4.inst.cfg b/resources/variants/tronxy_x5sa_0.4.inst.cfg index aeddfaa113..e42f0d6c80 100644 --- a/resources/variants/tronxy_x5sa_0.4.inst.cfg +++ b/resources/variants/tronxy_x5sa_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_0.5.inst.cfg b/resources/variants/tronxy_x5sa_0.5.inst.cfg index ef24b77baf..fcb9f1ab3d 100644 --- a/resources/variants/tronxy_x5sa_0.5.inst.cfg +++ b/resources/variants/tronxy_x5sa_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_0.6.inst.cfg b/resources/variants/tronxy_x5sa_0.6.inst.cfg index 8639fa90c7..e51df80cba 100644 --- a/resources/variants/tronxy_x5sa_0.6.inst.cfg +++ b/resources/variants/tronxy_x5sa_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_0.8.inst.cfg b/resources/variants/tronxy_x5sa_0.8.inst.cfg index 11a0c9b5b2..fb84e48d1b 100644 --- a/resources/variants/tronxy_x5sa_0.8.inst.cfg +++ b/resources/variants/tronxy_x5sa_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_400_0.2.inst.cfg b/resources/variants/tronxy_x5sa_400_0.2.inst.cfg index b46d7feb56..7e0f7be01d 100644 --- a/resources/variants/tronxy_x5sa_400_0.2.inst.cfg +++ b/resources/variants/tronxy_x5sa_400_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_400 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_400_0.3.inst.cfg b/resources/variants/tronxy_x5sa_400_0.3.inst.cfg index 55d057aa53..eb6f7312fa 100644 --- a/resources/variants/tronxy_x5sa_400_0.3.inst.cfg +++ b/resources/variants/tronxy_x5sa_400_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_400 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_400_0.4.inst.cfg b/resources/variants/tronxy_x5sa_400_0.4.inst.cfg index 0433c73818..6e3d7e727b 100644 --- a/resources/variants/tronxy_x5sa_400_0.4.inst.cfg +++ b/resources/variants/tronxy_x5sa_400_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_400 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_400_0.5.inst.cfg b/resources/variants/tronxy_x5sa_400_0.5.inst.cfg index cd738a27ab..788c4c08b9 100644 --- a/resources/variants/tronxy_x5sa_400_0.5.inst.cfg +++ b/resources/variants/tronxy_x5sa_400_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_400 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_400_0.6.inst.cfg b/resources/variants/tronxy_x5sa_400_0.6.inst.cfg index fc2fa9c54e..0dd8867967 100644 --- a/resources/variants/tronxy_x5sa_400_0.6.inst.cfg +++ b/resources/variants/tronxy_x5sa_400_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_400 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_400_0.8.inst.cfg b/resources/variants/tronxy_x5sa_400_0.8.inst.cfg index 516fb195e0..e10f453c00 100644 --- a/resources/variants/tronxy_x5sa_400_0.8.inst.cfg +++ b/resources/variants/tronxy_x5sa_400_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_400 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_500_0.2.inst.cfg b/resources/variants/tronxy_x5sa_500_0.2.inst.cfg index 3efc87a217..0bba35ad2f 100644 --- a/resources/variants/tronxy_x5sa_500_0.2.inst.cfg +++ b/resources/variants/tronxy_x5sa_500_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_500_0.3.inst.cfg b/resources/variants/tronxy_x5sa_500_0.3.inst.cfg index 60b3265eb2..fefbae67fa 100644 --- a/resources/variants/tronxy_x5sa_500_0.3.inst.cfg +++ b/resources/variants/tronxy_x5sa_500_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_500_0.4.inst.cfg b/resources/variants/tronxy_x5sa_500_0.4.inst.cfg index d61e85783b..ae15082dbc 100644 --- a/resources/variants/tronxy_x5sa_500_0.4.inst.cfg +++ b/resources/variants/tronxy_x5sa_500_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_500_0.5.inst.cfg b/resources/variants/tronxy_x5sa_500_0.5.inst.cfg index 456bfa9cc7..dbb9cae9d2 100644 --- a/resources/variants/tronxy_x5sa_500_0.5.inst.cfg +++ b/resources/variants/tronxy_x5sa_500_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_500_0.6.inst.cfg b/resources/variants/tronxy_x5sa_500_0.6.inst.cfg index efeee66e17..bb9e7389a4 100644 --- a/resources/variants/tronxy_x5sa_500_0.6.inst.cfg +++ b/resources/variants/tronxy_x5sa_500_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x5sa_500_0.8.inst.cfg b/resources/variants/tronxy_x5sa_500_0.8.inst.cfg index b7c2a57dae..271f352796 100644 --- a/resources/variants/tronxy_x5sa_500_0.8.inst.cfg +++ b/resources/variants/tronxy_x5sa_500_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x5sa_500 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x_0.2.inst.cfg b/resources/variants/tronxy_x_0.2.inst.cfg index b6dedd46a6..8cbcc13763 100644 --- a/resources/variants/tronxy_x_0.2.inst.cfg +++ b/resources/variants/tronxy_x_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x_0.3.inst.cfg b/resources/variants/tronxy_x_0.3.inst.cfg index cc0fe7c32b..3049da49f8 100644 --- a/resources/variants/tronxy_x_0.3.inst.cfg +++ b/resources/variants/tronxy_x_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x_0.4.inst.cfg b/resources/variants/tronxy_x_0.4.inst.cfg index 075fe41aef..feddb1e979 100644 --- a/resources/variants/tronxy_x_0.4.inst.cfg +++ b/resources/variants/tronxy_x_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x_0.5.inst.cfg b/resources/variants/tronxy_x_0.5.inst.cfg index 41a2892fb1..f02fcd696a 100644 --- a/resources/variants/tronxy_x_0.5.inst.cfg +++ b/resources/variants/tronxy_x_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x_0.6.inst.cfg b/resources/variants/tronxy_x_0.6.inst.cfg index 1926b8c5c5..65753c83b9 100644 --- a/resources/variants/tronxy_x_0.6.inst.cfg +++ b/resources/variants/tronxy_x_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_x_0.8.inst.cfg b/resources/variants/tronxy_x_0.8.inst.cfg index 9f30b80c3c..2c6dfd07a3 100644 --- a/resources/variants/tronxy_x_0.8.inst.cfg +++ b/resources/variants/tronxy_x_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_x [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2_0.2.inst.cfg b/resources/variants/tronxy_xy2_0.2.inst.cfg index df48722cd9..ca493a9f6a 100644 --- a/resources/variants/tronxy_xy2_0.2.inst.cfg +++ b/resources/variants/tronxy_xy2_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2_0.3.inst.cfg b/resources/variants/tronxy_xy2_0.3.inst.cfg index 6313c4af48..64df55280b 100644 --- a/resources/variants/tronxy_xy2_0.3.inst.cfg +++ b/resources/variants/tronxy_xy2_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2_0.4.inst.cfg b/resources/variants/tronxy_xy2_0.4.inst.cfg index f6ccd8f3ec..2f214b623b 100644 --- a/resources/variants/tronxy_xy2_0.4.inst.cfg +++ b/resources/variants/tronxy_xy2_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2_0.5.inst.cfg b/resources/variants/tronxy_xy2_0.5.inst.cfg index f2fa017c1f..9b318ae3d2 100644 --- a/resources/variants/tronxy_xy2_0.5.inst.cfg +++ b/resources/variants/tronxy_xy2_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2_0.6.inst.cfg b/resources/variants/tronxy_xy2_0.6.inst.cfg index d587385f8b..bdbd7c48ac 100644 --- a/resources/variants/tronxy_xy2_0.6.inst.cfg +++ b/resources/variants/tronxy_xy2_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2_0.8.inst.cfg b/resources/variants/tronxy_xy2_0.8.inst.cfg index df020400bb..311130c94f 100644 --- a/resources/variants/tronxy_xy2_0.8.inst.cfg +++ b/resources/variants/tronxy_xy2_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2pro_0.2.inst.cfg b/resources/variants/tronxy_xy2pro_0.2.inst.cfg index 8c2ff197ea..9597d7902f 100644 --- a/resources/variants/tronxy_xy2pro_0.2.inst.cfg +++ b/resources/variants/tronxy_xy2pro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2pro_0.3.inst.cfg b/resources/variants/tronxy_xy2pro_0.3.inst.cfg index 2edc9e5def..ed3938433b 100644 --- a/resources/variants/tronxy_xy2pro_0.3.inst.cfg +++ b/resources/variants/tronxy_xy2pro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2pro_0.4.inst.cfg b/resources/variants/tronxy_xy2pro_0.4.inst.cfg index 8745cae498..215e84871e 100644 --- a/resources/variants/tronxy_xy2pro_0.4.inst.cfg +++ b/resources/variants/tronxy_xy2pro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2pro_0.5.inst.cfg b/resources/variants/tronxy_xy2pro_0.5.inst.cfg index 65d36e4293..ce3b620d66 100644 --- a/resources/variants/tronxy_xy2pro_0.5.inst.cfg +++ b/resources/variants/tronxy_xy2pro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2pro_0.6.inst.cfg b/resources/variants/tronxy_xy2pro_0.6.inst.cfg index ab578a4a7e..c86876db45 100644 --- a/resources/variants/tronxy_xy2pro_0.6.inst.cfg +++ b/resources/variants/tronxy_xy2pro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy2pro_0.8.inst.cfg b/resources/variants/tronxy_xy2pro_0.8.inst.cfg index 90dc8dbc4e..b09028a679 100644 --- a/resources/variants/tronxy_xy2pro_0.8.inst.cfg +++ b/resources/variants/tronxy_xy2pro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy2pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy3_0.2.inst.cfg b/resources/variants/tronxy_xy3_0.2.inst.cfg index 4cbeff15cb..8892b5977a 100644 --- a/resources/variants/tronxy_xy3_0.2.inst.cfg +++ b/resources/variants/tronxy_xy3_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy3_0.3.inst.cfg b/resources/variants/tronxy_xy3_0.3.inst.cfg index 80540688c2..83d1a90354 100644 --- a/resources/variants/tronxy_xy3_0.3.inst.cfg +++ b/resources/variants/tronxy_xy3_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy3_0.4.inst.cfg b/resources/variants/tronxy_xy3_0.4.inst.cfg index 2465dc40e5..b895a08a80 100644 --- a/resources/variants/tronxy_xy3_0.4.inst.cfg +++ b/resources/variants/tronxy_xy3_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy3_0.5.inst.cfg b/resources/variants/tronxy_xy3_0.5.inst.cfg index d07e603fc0..335236a668 100644 --- a/resources/variants/tronxy_xy3_0.5.inst.cfg +++ b/resources/variants/tronxy_xy3_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy3_0.6.inst.cfg b/resources/variants/tronxy_xy3_0.6.inst.cfg index ba2355ecee..8569852dfa 100644 --- a/resources/variants/tronxy_xy3_0.6.inst.cfg +++ b/resources/variants/tronxy_xy3_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/tronxy_xy3_0.8.inst.cfg b/resources/variants/tronxy_xy3_0.8.inst.cfg index 30f8d06b2b..cb087394c2 100644 --- a/resources/variants/tronxy_xy3_0.8.inst.cfg +++ b/resources/variants/tronxy_xy3_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = tronxy_xy3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_0.2.inst.cfg b/resources/variants/two_trees_base_0.2.inst.cfg index 2bac3fb8d0..28abc3c92f 100644 --- a/resources/variants/two_trees_base_0.2.inst.cfg +++ b/resources/variants/two_trees_base_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_0.3.inst.cfg b/resources/variants/two_trees_base_0.3.inst.cfg index e037cdb2fa..f6f95712d4 100644 --- a/resources/variants/two_trees_base_0.3.inst.cfg +++ b/resources/variants/two_trees_base_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_0.4.inst.cfg b/resources/variants/two_trees_base_0.4.inst.cfg index ac29cb4b64..5d85ccab98 100644 --- a/resources/variants/two_trees_base_0.4.inst.cfg +++ b/resources/variants/two_trees_base_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_0.5.inst.cfg b/resources/variants/two_trees_base_0.5.inst.cfg index c30b8a54b0..f5931231e4 100644 --- a/resources/variants/two_trees_base_0.5.inst.cfg +++ b/resources/variants/two_trees_base_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_0.6.inst.cfg b/resources/variants/two_trees_base_0.6.inst.cfg index 08b667fc89..b77d2b4c1f 100644 --- a/resources/variants/two_trees_base_0.6.inst.cfg +++ b/resources/variants/two_trees_base_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_0.8.inst.cfg b/resources/variants/two_trees_base_0.8.inst.cfg index b65f7eced2..118d9eabc1 100644 --- a/resources/variants/two_trees_base_0.8.inst.cfg +++ b/resources/variants/two_trees_base_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_base_1.0.inst.cfg b/resources/variants/two_trees_base_1.0.inst.cfg index 05f99e7ddb..f94a41df45 100644 --- a/resources/variants/two_trees_base_1.0.inst.cfg +++ b/resources/variants/two_trees_base_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_0.2.inst.cfg b/resources/variants/two_trees_bluer_0.2.inst.cfg index cc540212f2..b7975ba82c 100644 --- a/resources/variants/two_trees_bluer_0.2.inst.cfg +++ b/resources/variants/two_trees_bluer_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_0.3.inst.cfg b/resources/variants/two_trees_bluer_0.3.inst.cfg index b0c093efae..a858a1a64e 100644 --- a/resources/variants/two_trees_bluer_0.3.inst.cfg +++ b/resources/variants/two_trees_bluer_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_0.4.inst.cfg b/resources/variants/two_trees_bluer_0.4.inst.cfg index eb879c16da..f51f4483e9 100644 --- a/resources/variants/two_trees_bluer_0.4.inst.cfg +++ b/resources/variants/two_trees_bluer_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_0.5.inst.cfg b/resources/variants/two_trees_bluer_0.5.inst.cfg index 3166606368..e63f547f26 100644 --- a/resources/variants/two_trees_bluer_0.5.inst.cfg +++ b/resources/variants/two_trees_bluer_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_0.6.inst.cfg b/resources/variants/two_trees_bluer_0.6.inst.cfg index 31cca6d12d..583e7aed7c 100644 --- a/resources/variants/two_trees_bluer_0.6.inst.cfg +++ b/resources/variants/two_trees_bluer_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_0.8.inst.cfg b/resources/variants/two_trees_bluer_0.8.inst.cfg index 6aa7e209ec..ce3d1d646c 100644 --- a/resources/variants/two_trees_bluer_0.8.inst.cfg +++ b/resources/variants/two_trees_bluer_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluer_1.0.inst.cfg b/resources/variants/two_trees_bluer_1.0.inst.cfg index 55c131afd4..d313a96c2d 100644 --- a/resources/variants/two_trees_bluer_1.0.inst.cfg +++ b/resources/variants/two_trees_bluer_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluer [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_0.2.inst.cfg b/resources/variants/two_trees_bluerplus_0.2.inst.cfg index e99f9cd7a9..48e67dc0fc 100644 --- a/resources/variants/two_trees_bluerplus_0.2.inst.cfg +++ b/resources/variants/two_trees_bluerplus_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_0.3.inst.cfg b/resources/variants/two_trees_bluerplus_0.3.inst.cfg index 575f798e46..7a6f9afab6 100644 --- a/resources/variants/two_trees_bluerplus_0.3.inst.cfg +++ b/resources/variants/two_trees_bluerplus_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_0.4.inst.cfg b/resources/variants/two_trees_bluerplus_0.4.inst.cfg index 0ba2bfdef6..9200c1bb6e 100644 --- a/resources/variants/two_trees_bluerplus_0.4.inst.cfg +++ b/resources/variants/two_trees_bluerplus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_0.5.inst.cfg b/resources/variants/two_trees_bluerplus_0.5.inst.cfg index 09d5e92250..5a0cce667c 100644 --- a/resources/variants/two_trees_bluerplus_0.5.inst.cfg +++ b/resources/variants/two_trees_bluerplus_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_0.6.inst.cfg b/resources/variants/two_trees_bluerplus_0.6.inst.cfg index 46c76080af..c74953714b 100644 --- a/resources/variants/two_trees_bluerplus_0.6.inst.cfg +++ b/resources/variants/two_trees_bluerplus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_0.8.inst.cfg b/resources/variants/two_trees_bluerplus_0.8.inst.cfg index da3f273875..dc91514ac6 100644 --- a/resources/variants/two_trees_bluerplus_0.8.inst.cfg +++ b/resources/variants/two_trees_bluerplus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_bluerplus_1.0.inst.cfg b/resources/variants/two_trees_bluerplus_1.0.inst.cfg index 44866ddfba..4c71f782a6 100644 --- a/resources/variants/two_trees_bluerplus_1.0.inst.cfg +++ b/resources/variants/two_trees_bluerplus_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_bluerplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_0.2.inst.cfg b/resources/variants/two_trees_sapphireplus_0.2.inst.cfg index 61e46b36d9..e171a81808 100644 --- a/resources/variants/two_trees_sapphireplus_0.2.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_0.3.inst.cfg b/resources/variants/two_trees_sapphireplus_0.3.inst.cfg index bc371a0923..3b14d47b19 100644 --- a/resources/variants/two_trees_sapphireplus_0.3.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_0.4.inst.cfg b/resources/variants/two_trees_sapphireplus_0.4.inst.cfg index c38e0cbcbc..dbb79ffbf3 100644 --- a/resources/variants/two_trees_sapphireplus_0.4.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_0.5.inst.cfg b/resources/variants/two_trees_sapphireplus_0.5.inst.cfg index 22b1b8d1a6..a916091626 100644 --- a/resources/variants/two_trees_sapphireplus_0.5.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_0.6.inst.cfg b/resources/variants/two_trees_sapphireplus_0.6.inst.cfg index 03850a724a..2bce463041 100644 --- a/resources/variants/two_trees_sapphireplus_0.6.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_0.8.inst.cfg b/resources/variants/two_trees_sapphireplus_0.8.inst.cfg index d5c4064abf..24bf5e05de 100644 --- a/resources/variants/two_trees_sapphireplus_0.8.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphireplus_1.0.inst.cfg b/resources/variants/two_trees_sapphireplus_1.0.inst.cfg index 13be7032d7..9847d1b0d2 100644 --- a/resources/variants/two_trees_sapphireplus_1.0.inst.cfg +++ b/resources/variants/two_trees_sapphireplus_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphireplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_0.2.inst.cfg b/resources/variants/two_trees_sapphirepro_0.2.inst.cfg index ccac7dbf4e..ee51eccc75 100644 --- a/resources/variants/two_trees_sapphirepro_0.2.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_0.2.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_0.3.inst.cfg b/resources/variants/two_trees_sapphirepro_0.3.inst.cfg index b803bf097f..2efa7e328b 100644 --- a/resources/variants/two_trees_sapphirepro_0.3.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_0.3.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_0.4.inst.cfg b/resources/variants/two_trees_sapphirepro_0.4.inst.cfg index 6f0dda7f52..dfe08be76a 100644 --- a/resources/variants/two_trees_sapphirepro_0.4.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_0.5.inst.cfg b/resources/variants/two_trees_sapphirepro_0.5.inst.cfg index c8a33986e7..bfa797026a 100644 --- a/resources/variants/two_trees_sapphirepro_0.5.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_0.5.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_0.6.inst.cfg b/resources/variants/two_trees_sapphirepro_0.6.inst.cfg index 90b7b23a7c..a1705b3de7 100644 --- a/resources/variants/two_trees_sapphirepro_0.6.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_0.8.inst.cfg b/resources/variants/two_trees_sapphirepro_0.8.inst.cfg index ae46946c3e..4338f550f6 100644 --- a/resources/variants/two_trees_sapphirepro_0.8.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/two_trees_sapphirepro_1.0.inst.cfg b/resources/variants/two_trees_sapphirepro_1.0.inst.cfg index 7ed9a45d7c..4f4fbd962b 100644 --- a/resources/variants/two_trees_sapphirepro_1.0.inst.cfg +++ b/resources/variants/two_trees_sapphirepro_1.0.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = two_trees_sapphirepro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_olsson_0.25.inst.cfg b/resources/variants/ultimaker2_extended_olsson_0.25.inst.cfg index 44279e619f..ffbd25a630 100644 --- a/resources/variants/ultimaker2_extended_olsson_0.25.inst.cfg +++ b/resources/variants/ultimaker2_extended_olsson_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_olsson_0.4.inst.cfg b/resources/variants/ultimaker2_extended_olsson_0.4.inst.cfg index 20145899d2..fec6bf01d2 100644 --- a/resources/variants/ultimaker2_extended_olsson_0.4.inst.cfg +++ b/resources/variants/ultimaker2_extended_olsson_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_olsson_0.6.inst.cfg b/resources/variants/ultimaker2_extended_olsson_0.6.inst.cfg index 05bd9e9145..c4f28e3245 100644 --- a/resources/variants/ultimaker2_extended_olsson_0.6.inst.cfg +++ b/resources/variants/ultimaker2_extended_olsson_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_olsson_0.8.inst.cfg b/resources/variants/ultimaker2_extended_olsson_0.8.inst.cfg index 832939cf49..29450506c3 100644 --- a/resources/variants/ultimaker2_extended_olsson_0.8.inst.cfg +++ b/resources/variants/ultimaker2_extended_olsson_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_plus_0.25.inst.cfg b/resources/variants/ultimaker2_extended_plus_0.25.inst.cfg index 976e7b650e..c934ca03c4 100644 --- a/resources/variants/ultimaker2_extended_plus_0.25.inst.cfg +++ b/resources/variants/ultimaker2_extended_plus_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_plus_0.4.inst.cfg b/resources/variants/ultimaker2_extended_plus_0.4.inst.cfg index f767263b1a..655d9bed36 100644 --- a/resources/variants/ultimaker2_extended_plus_0.4.inst.cfg +++ b/resources/variants/ultimaker2_extended_plus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_plus_0.6.inst.cfg b/resources/variants/ultimaker2_extended_plus_0.6.inst.cfg index 8b90c35531..01a48fbfaf 100644 --- a/resources/variants/ultimaker2_extended_plus_0.6.inst.cfg +++ b/resources/variants/ultimaker2_extended_plus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_extended_plus_0.8.inst.cfg b/resources/variants/ultimaker2_extended_plus_0.8.inst.cfg index 22e7209b9c..557ddb89d1 100644 --- a/resources/variants/ultimaker2_extended_plus_0.8.inst.cfg +++ b/resources/variants/ultimaker2_extended_plus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_extended_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_olsson_0.25.inst.cfg b/resources/variants/ultimaker2_olsson_0.25.inst.cfg index 3672d100fd..2419f4c56e 100644 --- a/resources/variants/ultimaker2_olsson_0.25.inst.cfg +++ b/resources/variants/ultimaker2_olsson_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_olsson_0.4.inst.cfg b/resources/variants/ultimaker2_olsson_0.4.inst.cfg index 1c91f9ed5a..bf2d97156b 100644 --- a/resources/variants/ultimaker2_olsson_0.4.inst.cfg +++ b/resources/variants/ultimaker2_olsson_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_olsson_0.6.inst.cfg b/resources/variants/ultimaker2_olsson_0.6.inst.cfg index 966f54cb06..4fc8462528 100644 --- a/resources/variants/ultimaker2_olsson_0.6.inst.cfg +++ b/resources/variants/ultimaker2_olsson_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_olsson_0.8.inst.cfg b/resources/variants/ultimaker2_olsson_0.8.inst.cfg index 8f6d79eba1..0395c2ec93 100644 --- a/resources/variants/ultimaker2_olsson_0.8.inst.cfg +++ b/resources/variants/ultimaker2_olsson_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_olsson [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_0.25.inst.cfg b/resources/variants/ultimaker2_plus_0.25.inst.cfg index 8fe2f4bca9..f48df57e8a 100644 --- a/resources/variants/ultimaker2_plus_0.25.inst.cfg +++ b/resources/variants/ultimaker2_plus_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_0.4.inst.cfg b/resources/variants/ultimaker2_plus_0.4.inst.cfg index 8620d9b328..e3ccc6c80b 100644 --- a/resources/variants/ultimaker2_plus_0.4.inst.cfg +++ b/resources/variants/ultimaker2_plus_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_0.6.inst.cfg b/resources/variants/ultimaker2_plus_0.6.inst.cfg index 5b2f386b3f..2208bdf11a 100644 --- a/resources/variants/ultimaker2_plus_0.6.inst.cfg +++ b/resources/variants/ultimaker2_plus_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_0.8.inst.cfg b/resources/variants/ultimaker2_plus_0.8.inst.cfg index f68ecc6e3d..9d413948dc 100644 --- a/resources/variants/ultimaker2_plus_0.8.inst.cfg +++ b/resources/variants/ultimaker2_plus_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_connect_0.25.inst.cfg b/resources/variants/ultimaker2_plus_connect_0.25.inst.cfg index 832534309d..e20ced7a3e 100644 --- a/resources/variants/ultimaker2_plus_connect_0.25.inst.cfg +++ b/resources/variants/ultimaker2_plus_connect_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_connect_0.4.inst.cfg b/resources/variants/ultimaker2_plus_connect_0.4.inst.cfg index c8b76938f9..da8155f5e3 100644 --- a/resources/variants/ultimaker2_plus_connect_0.4.inst.cfg +++ b/resources/variants/ultimaker2_plus_connect_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_connect_0.6.inst.cfg b/resources/variants/ultimaker2_plus_connect_0.6.inst.cfg index fa5f9cd2de..2d7330228d 100644 --- a/resources/variants/ultimaker2_plus_connect_0.6.inst.cfg +++ b/resources/variants/ultimaker2_plus_connect_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker2_plus_connect_0.8.inst.cfg b/resources/variants/ultimaker2_plus_connect_0.8.inst.cfg index e9a5cc8829..5557af03e9 100644 --- a/resources/variants/ultimaker2_plus_connect_0.8.inst.cfg +++ b/resources/variants/ultimaker2_plus_connect_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker2_plus_connect [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_aa0.25.inst.cfg b/resources/variants/ultimaker3_aa0.25.inst.cfg index 9927acb556..e510bac6a8 100644 --- a/resources/variants/ultimaker3_aa0.25.inst.cfg +++ b/resources/variants/ultimaker3_aa0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_aa0.8.inst.cfg b/resources/variants/ultimaker3_aa0.8.inst.cfg index 9d9a7fb7e5..abe079eeb5 100644 --- a/resources/variants/ultimaker3_aa0.8.inst.cfg +++ b/resources/variants/ultimaker3_aa0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_aa04.inst.cfg b/resources/variants/ultimaker3_aa04.inst.cfg index e7135e1107..8362a52fb5 100644 --- a/resources/variants/ultimaker3_aa04.inst.cfg +++ b/resources/variants/ultimaker3_aa04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_bb0.8.inst.cfg b/resources/variants/ultimaker3_bb0.8.inst.cfg index 434b0bbc69..af5daf9f11 100644 --- a/resources/variants/ultimaker3_bb0.8.inst.cfg +++ b/resources/variants/ultimaker3_bb0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_bb04.inst.cfg b/resources/variants/ultimaker3_bb04.inst.cfg index acf3f77a3d..89c5430af5 100644 --- a/resources/variants/ultimaker3_bb04.inst.cfg +++ b/resources/variants/ultimaker3_bb04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_extended_aa0.25.inst.cfg b/resources/variants/ultimaker3_extended_aa0.25.inst.cfg index 236cadc574..c26249a17b 100644 --- a/resources/variants/ultimaker3_extended_aa0.25.inst.cfg +++ b/resources/variants/ultimaker3_extended_aa0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3_extended [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_extended_aa0.8.inst.cfg b/resources/variants/ultimaker3_extended_aa0.8.inst.cfg index 93b8ac5a7f..0f603036b8 100644 --- a/resources/variants/ultimaker3_extended_aa0.8.inst.cfg +++ b/resources/variants/ultimaker3_extended_aa0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3_extended [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_extended_aa04.inst.cfg b/resources/variants/ultimaker3_extended_aa04.inst.cfg index 81a25812c4..2a523703b6 100644 --- a/resources/variants/ultimaker3_extended_aa04.inst.cfg +++ b/resources/variants/ultimaker3_extended_aa04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3_extended [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_extended_bb0.8.inst.cfg b/resources/variants/ultimaker3_extended_bb0.8.inst.cfg index 920ff8be98..b73d5c2bc7 100644 --- a/resources/variants/ultimaker3_extended_bb0.8.inst.cfg +++ b/resources/variants/ultimaker3_extended_bb0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3_extended [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker3_extended_bb04.inst.cfg b/resources/variants/ultimaker3_extended_bb04.inst.cfg index 5ad0922668..79a7441256 100644 --- a/resources/variants/ultimaker3_extended_bb04.inst.cfg +++ b/resources/variants/ultimaker3_extended_bb04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker3_extended [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_aa0.25.inst.cfg b/resources/variants/ultimaker_s3_aa0.25.inst.cfg index 5379344a9c..9b0714b7bb 100644 --- a/resources/variants/ultimaker_s3_aa0.25.inst.cfg +++ b/resources/variants/ultimaker_s3_aa0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_aa0.8.inst.cfg b/resources/variants/ultimaker_s3_aa0.8.inst.cfg index 0b3a5bac8e..5b19f224b4 100644 --- a/resources/variants/ultimaker_s3_aa0.8.inst.cfg +++ b/resources/variants/ultimaker_s3_aa0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_aa04.inst.cfg b/resources/variants/ultimaker_s3_aa04.inst.cfg index da742d358a..38f4c226f5 100644 --- a/resources/variants/ultimaker_s3_aa04.inst.cfg +++ b/resources/variants/ultimaker_s3_aa04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_bb0.8.inst.cfg b/resources/variants/ultimaker_s3_bb0.8.inst.cfg index d5d402c9c1..2affa6d01b 100644 --- a/resources/variants/ultimaker_s3_bb0.8.inst.cfg +++ b/resources/variants/ultimaker_s3_bb0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_bb04.inst.cfg b/resources/variants/ultimaker_s3_bb04.inst.cfg index 4835af6a08..cd33dbfe1b 100644 --- a/resources/variants/ultimaker_s3_bb04.inst.cfg +++ b/resources/variants/ultimaker_s3_bb04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_cc04.inst.cfg b/resources/variants/ultimaker_s3_cc04.inst.cfg index ecf4da234f..3f61f5d326 100644 --- a/resources/variants/ultimaker_s3_cc04.inst.cfg +++ b/resources/variants/ultimaker_s3_cc04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s3_cc06.inst.cfg b/resources/variants/ultimaker_s3_cc06.inst.cfg index 219b442445..9a216b8506 100644 --- a/resources/variants/ultimaker_s3_cc06.inst.cfg +++ b/resources/variants/ultimaker_s3_cc06.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s3 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_aa0.25.inst.cfg b/resources/variants/ultimaker_s5_aa0.25.inst.cfg index 948f045866..91f05ac857 100644 --- a/resources/variants/ultimaker_s5_aa0.25.inst.cfg +++ b/resources/variants/ultimaker_s5_aa0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_aa0.8.inst.cfg b/resources/variants/ultimaker_s5_aa0.8.inst.cfg index bc0008b4f6..c36d96066d 100644 --- a/resources/variants/ultimaker_s5_aa0.8.inst.cfg +++ b/resources/variants/ultimaker_s5_aa0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_aa04.inst.cfg b/resources/variants/ultimaker_s5_aa04.inst.cfg index 442af46dba..e976f1071d 100644 --- a/resources/variants/ultimaker_s5_aa04.inst.cfg +++ b/resources/variants/ultimaker_s5_aa04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_aluminum.inst.cfg b/resources/variants/ultimaker_s5_aluminum.inst.cfg index 2fefc81d02..233584961d 100644 --- a/resources/variants/ultimaker_s5_aluminum.inst.cfg +++ b/resources/variants/ultimaker_s5_aluminum.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = buildplate diff --git a/resources/variants/ultimaker_s5_bb0.8.inst.cfg b/resources/variants/ultimaker_s5_bb0.8.inst.cfg index 5e13415f62..89aadaae54 100644 --- a/resources/variants/ultimaker_s5_bb0.8.inst.cfg +++ b/resources/variants/ultimaker_s5_bb0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_bb04.inst.cfg b/resources/variants/ultimaker_s5_bb04.inst.cfg index 27ea14bbc1..3a4d937620 100644 --- a/resources/variants/ultimaker_s5_bb04.inst.cfg +++ b/resources/variants/ultimaker_s5_bb04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_cc04.inst.cfg b/resources/variants/ultimaker_s5_cc04.inst.cfg index f54e1805f0..6934706bcd 100644 --- a/resources/variants/ultimaker_s5_cc04.inst.cfg +++ b/resources/variants/ultimaker_s5_cc04.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_cc06.inst.cfg b/resources/variants/ultimaker_s5_cc06.inst.cfg index 2903257085..98821ca002 100644 --- a/resources/variants/ultimaker_s5_cc06.inst.cfg +++ b/resources/variants/ultimaker_s5_cc06.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/ultimaker_s5_glass.inst.cfg b/resources/variants/ultimaker_s5_glass.inst.cfg index 24365811e1..0fe0b4f683 100644 --- a/resources/variants/ultimaker_s5_glass.inst.cfg +++ b/resources/variants/ultimaker_s5_glass.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = ultimaker_s5 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = buildplate diff --git a/resources/variants/uni_200_0.30.inst.cfg b/resources/variants/uni_200_0.30.inst.cfg index 8981d677b0..41fb83b999 100644 --- a/resources/variants/uni_200_0.30.inst.cfg +++ b/resources/variants/uni_200_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_200 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_200_0.40.inst.cfg b/resources/variants/uni_200_0.40.inst.cfg index 56c942ec1d..9a1e4b94ed 100644 --- a/resources/variants/uni_200_0.40.inst.cfg +++ b/resources/variants/uni_200_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_200 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_200_0.50.inst.cfg b/resources/variants/uni_200_0.50.inst.cfg index 8349174cf1..568af4638e 100644 --- a/resources/variants/uni_200_0.50.inst.cfg +++ b/resources/variants/uni_200_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_200 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_250_0.30.inst.cfg b/resources/variants/uni_250_0.30.inst.cfg index 186dd74ead..95f6e28859 100644 --- a/resources/variants/uni_250_0.30.inst.cfg +++ b/resources/variants/uni_250_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_250_0.40.inst.cfg b/resources/variants/uni_250_0.40.inst.cfg index dcbc69353e..f7312d4119 100644 --- a/resources/variants/uni_250_0.40.inst.cfg +++ b/resources/variants/uni_250_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_250_0.50.inst.cfg b/resources/variants/uni_250_0.50.inst.cfg index ad76882a67..e6123bf043 100644 --- a/resources/variants/uni_250_0.50.inst.cfg +++ b/resources/variants/uni_250_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_300_0.30.inst.cfg b/resources/variants/uni_300_0.30.inst.cfg index e07a9f1201..c404b6a844 100644 --- a/resources/variants/uni_300_0.30.inst.cfg +++ b/resources/variants/uni_300_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_300_0.40.inst.cfg b/resources/variants/uni_300_0.40.inst.cfg index df87f13de5..210ef09ca1 100644 --- a/resources/variants/uni_300_0.40.inst.cfg +++ b/resources/variants/uni_300_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_300_0.50.inst.cfg b/resources/variants/uni_300_0.50.inst.cfg index c27c70dc85..e553d2c625 100644 --- a/resources/variants/uni_300_0.50.inst.cfg +++ b/resources/variants/uni_300_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_base_0.30.inst.cfg b/resources/variants/uni_base_0.30.inst.cfg index ba4bd37992..76ad227864 100644 --- a/resources/variants/uni_base_0.30.inst.cfg +++ b/resources/variants/uni_base_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_base_0.40.inst.cfg b/resources/variants/uni_base_0.40.inst.cfg index 2b08864409..9211eeef53 100644 --- a/resources/variants/uni_base_0.40.inst.cfg +++ b/resources/variants/uni_base_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_base_0.50.inst.cfg b/resources/variants/uni_base_0.50.inst.cfg index 84eb9e0ea0..9ed139ea7b 100644 --- a/resources/variants/uni_base_0.50.inst.cfg +++ b/resources/variants/uni_base_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_mini_0.30.inst.cfg b/resources/variants/uni_mini_0.30.inst.cfg index d5743b94f1..ed63156ec8 100644 --- a/resources/variants/uni_mini_0.30.inst.cfg +++ b/resources/variants/uni_mini_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_mini_0.40.inst.cfg b/resources/variants/uni_mini_0.40.inst.cfg index 4dde319cdb..5a92b67d25 100644 --- a/resources/variants/uni_mini_0.40.inst.cfg +++ b/resources/variants/uni_mini_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/uni_mini_0.50.inst.cfg b/resources/variants/uni_mini_0.50.inst.cfg index bc92da093c..68ab4f641c 100644 --- a/resources/variants/uni_mini_0.50.inst.cfg +++ b/resources/variants/uni_mini_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = uni_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron0_120_v6_0.25.inst.cfg b/resources/variants/voron0_120_v6_0.25.inst.cfg index 53601497d2..04a0935da6 100644 --- a/resources/variants/voron0_120_v6_0.25.inst.cfg +++ b/resources/variants/voron0_120_v6_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron0_120 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron0_120_v6_0.30.inst.cfg b/resources/variants/voron0_120_v6_0.30.inst.cfg index 69bb008024..2900d5704d 100644 --- a/resources/variants/voron0_120_v6_0.30.inst.cfg +++ b/resources/variants/voron0_120_v6_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron0_120 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron0_120_v6_0.40.inst.cfg b/resources/variants/voron0_120_v6_0.40.inst.cfg index 4aaee20fe7..161ff831d7 100644 --- a/resources/variants/voron0_120_v6_0.40.inst.cfg +++ b/resources/variants/voron0_120_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron0_120 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron0_120_v6_0.50.inst.cfg b/resources/variants/voron0_120_v6_0.50.inst.cfg index 87b3b2784c..dd0bcad518 100644 --- a/resources/variants/voron0_120_v6_0.50.inst.cfg +++ b/resources/variants/voron0_120_v6_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron0_120 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron0_120_v6_0.60.inst.cfg b/resources/variants/voron0_120_v6_0.60.inst.cfg index d462723ebc..122a498a9a 100644 --- a/resources/variants/voron0_120_v6_0.60.inst.cfg +++ b/resources/variants/voron0_120_v6_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron0_120 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron0_120_v6_0.80.inst.cfg b/resources/variants/voron0_120_v6_0.80.inst.cfg index f8e877778d..e828397e0a 100644 --- a/resources/variants/voron0_120_v6_0.80.inst.cfg +++ b/resources/variants/voron0_120_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron0_120 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.25.inst.cfg b/resources/variants/voron2_250_v6_0.25.inst.cfg index dea7d63c03..62156b79e9 100644 --- a/resources/variants/voron2_250_v6_0.25.inst.cfg +++ b/resources/variants/voron2_250_v6_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.30.inst.cfg b/resources/variants/voron2_250_v6_0.30.inst.cfg index 9fe59c3262..3eb878ec3e 100644 --- a/resources/variants/voron2_250_v6_0.30.inst.cfg +++ b/resources/variants/voron2_250_v6_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.35.inst.cfg b/resources/variants/voron2_250_v6_0.35.inst.cfg index 5c660c9572..6183363ede 100644 --- a/resources/variants/voron2_250_v6_0.35.inst.cfg +++ b/resources/variants/voron2_250_v6_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.40.inst.cfg b/resources/variants/voron2_250_v6_0.40.inst.cfg index c6e25b2d95..a85aeae49f 100644 --- a/resources/variants/voron2_250_v6_0.40.inst.cfg +++ b/resources/variants/voron2_250_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.50.inst.cfg b/resources/variants/voron2_250_v6_0.50.inst.cfg index ad69d40847..ef72dd83a6 100644 --- a/resources/variants/voron2_250_v6_0.50.inst.cfg +++ b/resources/variants/voron2_250_v6_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.60.inst.cfg b/resources/variants/voron2_250_v6_0.60.inst.cfg index fc0dfc2ced..b70d5f6b38 100644 --- a/resources/variants/voron2_250_v6_0.60.inst.cfg +++ b/resources/variants/voron2_250_v6_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_v6_0.80.inst.cfg b/resources/variants/voron2_250_v6_0.80.inst.cfg index c8bae730e0..f16e0b2344 100644 --- a/resources/variants/voron2_250_v6_0.80.inst.cfg +++ b/resources/variants/voron2_250_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_volcano_0.40.inst.cfg b/resources/variants/voron2_250_volcano_0.40.inst.cfg index bf08b6ceaa..ed7737b34e 100644 --- a/resources/variants/voron2_250_volcano_0.40.inst.cfg +++ b/resources/variants/voron2_250_volcano_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_volcano_0.60.inst.cfg b/resources/variants/voron2_250_volcano_0.60.inst.cfg index d82e4fefe8..a82ed61655 100644 --- a/resources/variants/voron2_250_volcano_0.60.inst.cfg +++ b/resources/variants/voron2_250_volcano_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_volcano_0.80.inst.cfg b/resources/variants/voron2_250_volcano_0.80.inst.cfg index 373a1ca37f..bd24fe6e65 100644 --- a/resources/variants/voron2_250_volcano_0.80.inst.cfg +++ b/resources/variants/voron2_250_volcano_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_volcano_1.00.inst.cfg b/resources/variants/voron2_250_volcano_1.00.inst.cfg index c36c50f585..588c6f9bbe 100644 --- a/resources/variants/voron2_250_volcano_1.00.inst.cfg +++ b/resources/variants/voron2_250_volcano_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_250_volcano_1.20.inst.cfg b/resources/variants/voron2_250_volcano_1.20.inst.cfg index 85d943c974..ca0898dd64 100644 --- a/resources/variants/voron2_250_volcano_1.20.inst.cfg +++ b/resources/variants/voron2_250_volcano_1.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_250 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.25.inst.cfg b/resources/variants/voron2_300_v6_0.25.inst.cfg index bce79b6d12..076368c27a 100644 --- a/resources/variants/voron2_300_v6_0.25.inst.cfg +++ b/resources/variants/voron2_300_v6_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.30.inst.cfg b/resources/variants/voron2_300_v6_0.30.inst.cfg index 2aee8eab6e..d7246081c2 100644 --- a/resources/variants/voron2_300_v6_0.30.inst.cfg +++ b/resources/variants/voron2_300_v6_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.35.inst.cfg b/resources/variants/voron2_300_v6_0.35.inst.cfg index 1bdece453a..3976e53731 100644 --- a/resources/variants/voron2_300_v6_0.35.inst.cfg +++ b/resources/variants/voron2_300_v6_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.40.inst.cfg b/resources/variants/voron2_300_v6_0.40.inst.cfg index 02ca757128..26fdc7314d 100644 --- a/resources/variants/voron2_300_v6_0.40.inst.cfg +++ b/resources/variants/voron2_300_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.50.inst.cfg b/resources/variants/voron2_300_v6_0.50.inst.cfg index deef70073a..7a09cf6a5d 100644 --- a/resources/variants/voron2_300_v6_0.50.inst.cfg +++ b/resources/variants/voron2_300_v6_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.60.inst.cfg b/resources/variants/voron2_300_v6_0.60.inst.cfg index 6bd3f999aa..102e362f6d 100644 --- a/resources/variants/voron2_300_v6_0.60.inst.cfg +++ b/resources/variants/voron2_300_v6_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_v6_0.80.inst.cfg b/resources/variants/voron2_300_v6_0.80.inst.cfg index 7492fc6d1e..e18c408326 100644 --- a/resources/variants/voron2_300_v6_0.80.inst.cfg +++ b/resources/variants/voron2_300_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_volcano_0.40.inst.cfg b/resources/variants/voron2_300_volcano_0.40.inst.cfg index b2b32e3938..168833b655 100644 --- a/resources/variants/voron2_300_volcano_0.40.inst.cfg +++ b/resources/variants/voron2_300_volcano_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_volcano_0.60.inst.cfg b/resources/variants/voron2_300_volcano_0.60.inst.cfg index 3fbdb2c01c..d20e6e9afe 100644 --- a/resources/variants/voron2_300_volcano_0.60.inst.cfg +++ b/resources/variants/voron2_300_volcano_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_volcano_0.80.inst.cfg b/resources/variants/voron2_300_volcano_0.80.inst.cfg index 7405c313b0..f1136cea11 100644 --- a/resources/variants/voron2_300_volcano_0.80.inst.cfg +++ b/resources/variants/voron2_300_volcano_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_volcano_1.00.inst.cfg b/resources/variants/voron2_300_volcano_1.00.inst.cfg index 83d3e70443..31d066c7c7 100644 --- a/resources/variants/voron2_300_volcano_1.00.inst.cfg +++ b/resources/variants/voron2_300_volcano_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_300_volcano_1.20.inst.cfg b/resources/variants/voron2_300_volcano_1.20.inst.cfg index 6ea04ec6f7..282c570bd4 100644 --- a/resources/variants/voron2_300_volcano_1.20.inst.cfg +++ b/resources/variants/voron2_300_volcano_1.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_300 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.25.inst.cfg b/resources/variants/voron2_350_v6_0.25.inst.cfg index 304eecdcee..5828b078d8 100644 --- a/resources/variants/voron2_350_v6_0.25.inst.cfg +++ b/resources/variants/voron2_350_v6_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.30.inst.cfg b/resources/variants/voron2_350_v6_0.30.inst.cfg index 019bdf9883..9d19a8cc76 100644 --- a/resources/variants/voron2_350_v6_0.30.inst.cfg +++ b/resources/variants/voron2_350_v6_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.35.inst.cfg b/resources/variants/voron2_350_v6_0.35.inst.cfg index 654c3697c7..dfdec754e6 100644 --- a/resources/variants/voron2_350_v6_0.35.inst.cfg +++ b/resources/variants/voron2_350_v6_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.40.inst.cfg b/resources/variants/voron2_350_v6_0.40.inst.cfg index b4b0645794..7e27342c4a 100644 --- a/resources/variants/voron2_350_v6_0.40.inst.cfg +++ b/resources/variants/voron2_350_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.50.inst.cfg b/resources/variants/voron2_350_v6_0.50.inst.cfg index cfc44288f8..7159c1a7fd 100644 --- a/resources/variants/voron2_350_v6_0.50.inst.cfg +++ b/resources/variants/voron2_350_v6_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.60.inst.cfg b/resources/variants/voron2_350_v6_0.60.inst.cfg index 2186477ced..30cc07146f 100644 --- a/resources/variants/voron2_350_v6_0.60.inst.cfg +++ b/resources/variants/voron2_350_v6_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_v6_0.80.inst.cfg b/resources/variants/voron2_350_v6_0.80.inst.cfg index 54266c051a..aecdbe13dc 100644 --- a/resources/variants/voron2_350_v6_0.80.inst.cfg +++ b/resources/variants/voron2_350_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_volcano_0.40.inst.cfg b/resources/variants/voron2_350_volcano_0.40.inst.cfg index 91646e937f..9fbf81cebe 100644 --- a/resources/variants/voron2_350_volcano_0.40.inst.cfg +++ b/resources/variants/voron2_350_volcano_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_volcano_0.60.inst.cfg b/resources/variants/voron2_350_volcano_0.60.inst.cfg index 66de319f86..8ef1ef3266 100644 --- a/resources/variants/voron2_350_volcano_0.60.inst.cfg +++ b/resources/variants/voron2_350_volcano_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_volcano_0.80.inst.cfg b/resources/variants/voron2_350_volcano_0.80.inst.cfg index 31b17ac148..c0e050f744 100644 --- a/resources/variants/voron2_350_volcano_0.80.inst.cfg +++ b/resources/variants/voron2_350_volcano_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_volcano_1.00.inst.cfg b/resources/variants/voron2_350_volcano_1.00.inst.cfg index 01de5be44f..316cd4e7f0 100644 --- a/resources/variants/voron2_350_volcano_1.00.inst.cfg +++ b/resources/variants/voron2_350_volcano_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_350_volcano_1.20.inst.cfg b/resources/variants/voron2_350_volcano_1.20.inst.cfg index 7f61712f57..958a358016 100644 --- a/resources/variants/voron2_350_volcano_1.20.inst.cfg +++ b/resources/variants/voron2_350_volcano_1.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_350 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.25.inst.cfg b/resources/variants/voron2_custom_v6_0.25.inst.cfg index c6b0721a1c..7bd67b81cb 100644 --- a/resources/variants/voron2_custom_v6_0.25.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.30.inst.cfg b/resources/variants/voron2_custom_v6_0.30.inst.cfg index 83767f2ee5..23a32a4ac9 100644 --- a/resources/variants/voron2_custom_v6_0.30.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.35.inst.cfg b/resources/variants/voron2_custom_v6_0.35.inst.cfg index 43bcdc349f..7e2f9b8cc8 100644 --- a/resources/variants/voron2_custom_v6_0.35.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.40.inst.cfg b/resources/variants/voron2_custom_v6_0.40.inst.cfg index b793f9551a..2b6bc16f96 100644 --- a/resources/variants/voron2_custom_v6_0.40.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.50.inst.cfg b/resources/variants/voron2_custom_v6_0.50.inst.cfg index 67be21c20a..2f183b9791 100644 --- a/resources/variants/voron2_custom_v6_0.50.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.60.inst.cfg b/resources/variants/voron2_custom_v6_0.60.inst.cfg index 0915c3e282..674f583f64 100644 --- a/resources/variants/voron2_custom_v6_0.60.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_v6_0.80.inst.cfg b/resources/variants/voron2_custom_v6_0.80.inst.cfg index 6f628c917e..6eb310cc68 100644 --- a/resources/variants/voron2_custom_v6_0.80.inst.cfg +++ b/resources/variants/voron2_custom_v6_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_volcano_0.40.inst.cfg b/resources/variants/voron2_custom_volcano_0.40.inst.cfg index ea40047a6b..dcae3bcbf7 100644 --- a/resources/variants/voron2_custom_volcano_0.40.inst.cfg +++ b/resources/variants/voron2_custom_volcano_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_volcano_0.60.inst.cfg b/resources/variants/voron2_custom_volcano_0.60.inst.cfg index 0a3ec298d4..672f842313 100644 --- a/resources/variants/voron2_custom_volcano_0.60.inst.cfg +++ b/resources/variants/voron2_custom_volcano_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_volcano_0.80.inst.cfg b/resources/variants/voron2_custom_volcano_0.80.inst.cfg index b7882ae3f1..1d4e72a12e 100644 --- a/resources/variants/voron2_custom_volcano_0.80.inst.cfg +++ b/resources/variants/voron2_custom_volcano_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_volcano_1.00.inst.cfg b/resources/variants/voron2_custom_volcano_1.00.inst.cfg index 0828feb4a6..83baa06d71 100644 --- a/resources/variants/voron2_custom_volcano_1.00.inst.cfg +++ b/resources/variants/voron2_custom_volcano_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/voron2_custom_volcano_1.20.inst.cfg b/resources/variants/voron2_custom_volcano_1.20.inst.cfg index a0d80c1861..3f5f2c77f6 100644 --- a/resources/variants/voron2_custom_volcano_1.20.inst.cfg +++ b/resources/variants/voron2_custom_volcano_1.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = voron2_custom [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/weedo_x40_weedo_0.4.inst.cfg b/resources/variants/weedo_x40_weedo_0.4.inst.cfg index 20b340b04e..89729bc1cd 100644 --- a/resources/variants/weedo_x40_weedo_0.4.inst.cfg +++ b/resources/variants/weedo_x40_weedo_0.4.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/weedo_x40_weedo_0.6.inst.cfg b/resources/variants/weedo_x40_weedo_0.6.inst.cfg index 79136e3324..9ca020afbe 100644 --- a/resources/variants/weedo_x40_weedo_0.6.inst.cfg +++ b/resources/variants/weedo_x40_weedo_0.6.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/weedo_x40_weedo_0.8.inst.cfg b/resources/variants/weedo_x40_weedo_0.8.inst.cfg index 91df00e7dc..46d9948e88 100644 --- a/resources/variants/weedo_x40_weedo_0.8.inst.cfg +++ b/resources/variants/weedo_x40_weedo_0.8.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = weedo_x40 [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_base_0.40.inst.cfg b/resources/variants/xyzprinting_base_0.40.inst.cfg index 3b9a361f88..ade1dea1f1 100644 --- a/resources/variants/xyzprinting_base_0.40.inst.cfg +++ b/resources/variants/xyzprinting_base_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_1p0_pro_copper_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_1p0_pro_copper_0.40.inst.cfg index a2f8661493..867fa94351 100644 --- a/resources/variants/xyzprinting_da_vinci_1p0_pro_copper_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_1p0_pro_copper_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_1p0_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40.inst.cfg index 1753f0d91a..79833c630c 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_copper_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40.inst.cfg index 670b423330..8d542987a8 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_1p0a_pro_hs_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_1p0a_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40.inst.cfg index 1a61c04aee..bb83d95524 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_copper_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40.inst.cfg index 728d5168f9..1cda9d703c 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_pro_xeplus_hs_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_pro_xeplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40.inst.cfg index 02c2144d46..39ae593be4 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_copper_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40.inst.cfg index 52998cbb68..2d192c729a 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_pro_xplus_hs_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_pro_xplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_w_pro_hs_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_w_pro_hs_0.40.inst.cfg index 1094aea29e..1cda468b70 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_w_pro_hs_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_w_pro_hs_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_jr_w_pro_ss_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_jr_w_pro_ss_0.40.inst.cfg index b65d956fc9..aaf2d4054d 100644 --- a/resources/variants/xyzprinting_da_vinci_jr_w_pro_ss_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_jr_w_pro_ss_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_jr_w_pro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_super_copper_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_super_copper_0.40.inst.cfg index 6838aa1fcf..e5a37cb1ed 100644 --- a/resources/variants/xyzprinting_da_vinci_super_copper_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_super_copper_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/xyzprinting_da_vinci_super_hs_0.40.inst.cfg b/resources/variants/xyzprinting_da_vinci_super_hs_0.40.inst.cfg index e319728c8e..bd76c921ec 100644 --- a/resources/variants/xyzprinting_da_vinci_super_hs_0.40.inst.cfg +++ b/resources/variants/xyzprinting_da_vinci_super_hs_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = xyzprinting_da_vinci_super [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.20.inst.cfg b/resources/variants/zav_base_0.20.inst.cfg index 0f7942add1..c1980d6136 100644 --- a/resources/variants/zav_base_0.20.inst.cfg +++ b/resources/variants/zav_base_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.25.inst.cfg b/resources/variants/zav_base_0.25.inst.cfg index d6ee7c8351..3dd2db8d18 100644 --- a/resources/variants/zav_base_0.25.inst.cfg +++ b/resources/variants/zav_base_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.30.inst.cfg b/resources/variants/zav_base_0.30.inst.cfg index 86582d8dd1..7f0c5b7c61 100644 --- a/resources/variants/zav_base_0.30.inst.cfg +++ b/resources/variants/zav_base_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.35.inst.cfg b/resources/variants/zav_base_0.35.inst.cfg index 0b202e8a3b..472e770e6e 100644 --- a/resources/variants/zav_base_0.35.inst.cfg +++ b/resources/variants/zav_base_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.40.inst.cfg b/resources/variants/zav_base_0.40.inst.cfg index d9ac72cccf..edc1d6c84a 100644 --- a/resources/variants/zav_base_0.40.inst.cfg +++ b/resources/variants/zav_base_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.45.inst.cfg b/resources/variants/zav_base_0.45.inst.cfg index 00dcf00729..7b4526eaa5 100644 --- a/resources/variants/zav_base_0.45.inst.cfg +++ b/resources/variants/zav_base_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.50.inst.cfg b/resources/variants/zav_base_0.50.inst.cfg index 1c9e431bd6..b701586d53 100644 --- a/resources/variants/zav_base_0.50.inst.cfg +++ b/resources/variants/zav_base_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.60.inst.cfg b/resources/variants/zav_base_0.60.inst.cfg index 4363d0a9b8..7888359f35 100644 --- a/resources/variants/zav_base_0.60.inst.cfg +++ b/resources/variants/zav_base_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_0.80.inst.cfg b/resources/variants/zav_base_0.80.inst.cfg index 033357ba4b..15c8d43f8b 100644 --- a/resources/variants/zav_base_0.80.inst.cfg +++ b/resources/variants/zav_base_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_base_1.00.inst.cfg b/resources/variants/zav_base_1.00.inst.cfg index e8f413d96b..70a14ef0b9 100644 --- a/resources/variants/zav_base_1.00.inst.cfg +++ b/resources/variants/zav_base_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_base [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.20.inst.cfg b/resources/variants/zav_big_0.20.inst.cfg index 84e35f3462..8e8e55136e 100644 --- a/resources/variants/zav_big_0.20.inst.cfg +++ b/resources/variants/zav_big_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.25.inst.cfg b/resources/variants/zav_big_0.25.inst.cfg index 6e202707e7..4127940e4c 100644 --- a/resources/variants/zav_big_0.25.inst.cfg +++ b/resources/variants/zav_big_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.30.inst.cfg b/resources/variants/zav_big_0.30.inst.cfg index 93d6bdb098..f39a99cd28 100644 --- a/resources/variants/zav_big_0.30.inst.cfg +++ b/resources/variants/zav_big_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.35.inst.cfg b/resources/variants/zav_big_0.35.inst.cfg index 82d3a3eb20..a884306a05 100644 --- a/resources/variants/zav_big_0.35.inst.cfg +++ b/resources/variants/zav_big_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.40.inst.cfg b/resources/variants/zav_big_0.40.inst.cfg index 62c66dc9b8..72c1ce98ea 100644 --- a/resources/variants/zav_big_0.40.inst.cfg +++ b/resources/variants/zav_big_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.45.inst.cfg b/resources/variants/zav_big_0.45.inst.cfg index d8517cf2df..b87c7dd320 100644 --- a/resources/variants/zav_big_0.45.inst.cfg +++ b/resources/variants/zav_big_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.50.inst.cfg b/resources/variants/zav_big_0.50.inst.cfg index 642b45d2d5..7cf6d3819b 100644 --- a/resources/variants/zav_big_0.50.inst.cfg +++ b/resources/variants/zav_big_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.60.inst.cfg b/resources/variants/zav_big_0.60.inst.cfg index 4c35687299..7b720ab931 100644 --- a/resources/variants/zav_big_0.60.inst.cfg +++ b/resources/variants/zav_big_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_0.80.inst.cfg b/resources/variants/zav_big_0.80.inst.cfg index d3ee2c52d8..f8b95d10a0 100644 --- a/resources/variants/zav_big_0.80.inst.cfg +++ b/resources/variants/zav_big_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_big_1.00.inst.cfg b/resources/variants/zav_big_1.00.inst.cfg index 905462dd18..38854811bd 100644 --- a/resources/variants/zav_big_1.00.inst.cfg +++ b/resources/variants/zav_big_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_big [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.20.inst.cfg b/resources/variants/zav_bigplus_0.20.inst.cfg index 9da2d20b51..b0f4536f89 100644 --- a/resources/variants/zav_bigplus_0.20.inst.cfg +++ b/resources/variants/zav_bigplus_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.25.inst.cfg b/resources/variants/zav_bigplus_0.25.inst.cfg index 871373607d..518ff815b0 100644 --- a/resources/variants/zav_bigplus_0.25.inst.cfg +++ b/resources/variants/zav_bigplus_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.30.inst.cfg b/resources/variants/zav_bigplus_0.30.inst.cfg index 3d82387fd3..edf38bde79 100644 --- a/resources/variants/zav_bigplus_0.30.inst.cfg +++ b/resources/variants/zav_bigplus_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.35.inst.cfg b/resources/variants/zav_bigplus_0.35.inst.cfg index 2cb2187382..68fa6c6529 100644 --- a/resources/variants/zav_bigplus_0.35.inst.cfg +++ b/resources/variants/zav_bigplus_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.40.inst.cfg b/resources/variants/zav_bigplus_0.40.inst.cfg index 1599a8a326..79c85468c8 100644 --- a/resources/variants/zav_bigplus_0.40.inst.cfg +++ b/resources/variants/zav_bigplus_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.45.inst.cfg b/resources/variants/zav_bigplus_0.45.inst.cfg index a145b967ce..f3a97261aa 100644 --- a/resources/variants/zav_bigplus_0.45.inst.cfg +++ b/resources/variants/zav_bigplus_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.50.inst.cfg b/resources/variants/zav_bigplus_0.50.inst.cfg index 9676dbd355..678d2cd99d 100644 --- a/resources/variants/zav_bigplus_0.50.inst.cfg +++ b/resources/variants/zav_bigplus_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.60.inst.cfg b/resources/variants/zav_bigplus_0.60.inst.cfg index cee32d6415..2431f719d6 100644 --- a/resources/variants/zav_bigplus_0.60.inst.cfg +++ b/resources/variants/zav_bigplus_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_0.80.inst.cfg b/resources/variants/zav_bigplus_0.80.inst.cfg index cd0c62228b..41ac59a1d8 100644 --- a/resources/variants/zav_bigplus_0.80.inst.cfg +++ b/resources/variants/zav_bigplus_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_bigplus_1.00.inst.cfg b/resources/variants/zav_bigplus_1.00.inst.cfg index 8137cd7357..9f80a5b610 100644 --- a/resources/variants/zav_bigplus_1.00.inst.cfg +++ b/resources/variants/zav_bigplus_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_bigplus [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.20.inst.cfg b/resources/variants/zav_l_0.20.inst.cfg index 4afcf02c0a..15681c9e1f 100644 --- a/resources/variants/zav_l_0.20.inst.cfg +++ b/resources/variants/zav_l_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.25.inst.cfg b/resources/variants/zav_l_0.25.inst.cfg index 8f511e0a6e..1c1cb03350 100644 --- a/resources/variants/zav_l_0.25.inst.cfg +++ b/resources/variants/zav_l_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.30.inst.cfg b/resources/variants/zav_l_0.30.inst.cfg index c298c69191..3637a7154a 100644 --- a/resources/variants/zav_l_0.30.inst.cfg +++ b/resources/variants/zav_l_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.35.inst.cfg b/resources/variants/zav_l_0.35.inst.cfg index d261c8ac5a..1240811b3c 100644 --- a/resources/variants/zav_l_0.35.inst.cfg +++ b/resources/variants/zav_l_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.40.inst.cfg b/resources/variants/zav_l_0.40.inst.cfg index 5828417055..b4fbf8a2cb 100644 --- a/resources/variants/zav_l_0.40.inst.cfg +++ b/resources/variants/zav_l_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.45.inst.cfg b/resources/variants/zav_l_0.45.inst.cfg index 6f963bd1cd..9b75a29753 100644 --- a/resources/variants/zav_l_0.45.inst.cfg +++ b/resources/variants/zav_l_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.50.inst.cfg b/resources/variants/zav_l_0.50.inst.cfg index 03433fd995..11c65599ba 100644 --- a/resources/variants/zav_l_0.50.inst.cfg +++ b/resources/variants/zav_l_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.60.inst.cfg b/resources/variants/zav_l_0.60.inst.cfg index 2ad97f7e27..fe57db4446 100644 --- a/resources/variants/zav_l_0.60.inst.cfg +++ b/resources/variants/zav_l_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_0.80.inst.cfg b/resources/variants/zav_l_0.80.inst.cfg index a9287b9822..a10f440cfc 100644 --- a/resources/variants/zav_l_0.80.inst.cfg +++ b/resources/variants/zav_l_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_l_1.00.inst.cfg b/resources/variants/zav_l_1.00.inst.cfg index 5cdec9c4fc..ec62c6b38e 100644 --- a/resources/variants/zav_l_1.00.inst.cfg +++ b/resources/variants/zav_l_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_l [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.20.inst.cfg b/resources/variants/zav_max_0.20.inst.cfg index 4d9f300423..cfc9f4c46d 100644 --- a/resources/variants/zav_max_0.20.inst.cfg +++ b/resources/variants/zav_max_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.25.inst.cfg b/resources/variants/zav_max_0.25.inst.cfg index 992be7d4be..31bc52c629 100644 --- a/resources/variants/zav_max_0.25.inst.cfg +++ b/resources/variants/zav_max_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.30.inst.cfg b/resources/variants/zav_max_0.30.inst.cfg index f7b7bdd122..a29ab2457e 100644 --- a/resources/variants/zav_max_0.30.inst.cfg +++ b/resources/variants/zav_max_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.35.inst.cfg b/resources/variants/zav_max_0.35.inst.cfg index c49f9ce183..bdae224874 100644 --- a/resources/variants/zav_max_0.35.inst.cfg +++ b/resources/variants/zav_max_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.40.inst.cfg b/resources/variants/zav_max_0.40.inst.cfg index 5ec4a41d78..dfb8bf0f55 100644 --- a/resources/variants/zav_max_0.40.inst.cfg +++ b/resources/variants/zav_max_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.45.inst.cfg b/resources/variants/zav_max_0.45.inst.cfg index a65c9c9c75..e6d8dfe132 100644 --- a/resources/variants/zav_max_0.45.inst.cfg +++ b/resources/variants/zav_max_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.50.inst.cfg b/resources/variants/zav_max_0.50.inst.cfg index 398310d7df..5137435ef0 100644 --- a/resources/variants/zav_max_0.50.inst.cfg +++ b/resources/variants/zav_max_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.60.inst.cfg b/resources/variants/zav_max_0.60.inst.cfg index 1df2de7357..705c69261e 100644 --- a/resources/variants/zav_max_0.60.inst.cfg +++ b/resources/variants/zav_max_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_0.80.inst.cfg b/resources/variants/zav_max_0.80.inst.cfg index 159239e465..f02c8119ea 100644 --- a/resources/variants/zav_max_0.80.inst.cfg +++ b/resources/variants/zav_max_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_max_1.00.inst.cfg b/resources/variants/zav_max_1.00.inst.cfg index c7f5ffb161..b245e588b2 100644 --- a/resources/variants/zav_max_1.00.inst.cfg +++ b/resources/variants/zav_max_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_max [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.20.inst.cfg b/resources/variants/zav_maxpro_0.20.inst.cfg index 63e472fd2d..3e5005fe2d 100644 --- a/resources/variants/zav_maxpro_0.20.inst.cfg +++ b/resources/variants/zav_maxpro_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.25.inst.cfg b/resources/variants/zav_maxpro_0.25.inst.cfg index e9fa249d43..67664821de 100644 --- a/resources/variants/zav_maxpro_0.25.inst.cfg +++ b/resources/variants/zav_maxpro_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.30.inst.cfg b/resources/variants/zav_maxpro_0.30.inst.cfg index 9eab4694e9..e233a18d66 100644 --- a/resources/variants/zav_maxpro_0.30.inst.cfg +++ b/resources/variants/zav_maxpro_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.35.inst.cfg b/resources/variants/zav_maxpro_0.35.inst.cfg index 13c6e7312b..7c5d82e84b 100644 --- a/resources/variants/zav_maxpro_0.35.inst.cfg +++ b/resources/variants/zav_maxpro_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.40.inst.cfg b/resources/variants/zav_maxpro_0.40.inst.cfg index d4cbbfa44d..0e65f412be 100644 --- a/resources/variants/zav_maxpro_0.40.inst.cfg +++ b/resources/variants/zav_maxpro_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.45.inst.cfg b/resources/variants/zav_maxpro_0.45.inst.cfg index 27258758e4..b5bb719f07 100644 --- a/resources/variants/zav_maxpro_0.45.inst.cfg +++ b/resources/variants/zav_maxpro_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.50.inst.cfg b/resources/variants/zav_maxpro_0.50.inst.cfg index 00bace7af1..c4a1f423ea 100644 --- a/resources/variants/zav_maxpro_0.50.inst.cfg +++ b/resources/variants/zav_maxpro_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.60.inst.cfg b/resources/variants/zav_maxpro_0.60.inst.cfg index 671db074f8..e81d56511e 100644 --- a/resources/variants/zav_maxpro_0.60.inst.cfg +++ b/resources/variants/zav_maxpro_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_0.80.inst.cfg b/resources/variants/zav_maxpro_0.80.inst.cfg index 26c1e5fe31..193b64590d 100644 --- a/resources/variants/zav_maxpro_0.80.inst.cfg +++ b/resources/variants/zav_maxpro_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_maxpro_1.00.inst.cfg b/resources/variants/zav_maxpro_1.00.inst.cfg index d5f50cb1e7..294bc7a155 100644 --- a/resources/variants/zav_maxpro_1.00.inst.cfg +++ b/resources/variants/zav_maxpro_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_maxpro [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.20.inst.cfg b/resources/variants/zav_mini_0.20.inst.cfg index 5dfb8ec9bd..b38a0b60fa 100644 --- a/resources/variants/zav_mini_0.20.inst.cfg +++ b/resources/variants/zav_mini_0.20.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.25.inst.cfg b/resources/variants/zav_mini_0.25.inst.cfg index 5a5d66ae77..5362ac3b9d 100644 --- a/resources/variants/zav_mini_0.25.inst.cfg +++ b/resources/variants/zav_mini_0.25.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.30.inst.cfg b/resources/variants/zav_mini_0.30.inst.cfg index a9acbbd204..007f65c8c8 100644 --- a/resources/variants/zav_mini_0.30.inst.cfg +++ b/resources/variants/zav_mini_0.30.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.35.inst.cfg b/resources/variants/zav_mini_0.35.inst.cfg index 440d2d2b10..2e4abf389d 100644 --- a/resources/variants/zav_mini_0.35.inst.cfg +++ b/resources/variants/zav_mini_0.35.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.40.inst.cfg b/resources/variants/zav_mini_0.40.inst.cfg index 0e55736499..6af82f0c8b 100644 --- a/resources/variants/zav_mini_0.40.inst.cfg +++ b/resources/variants/zav_mini_0.40.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.45.inst.cfg b/resources/variants/zav_mini_0.45.inst.cfg index a13bf6ae51..d766d9b612 100644 --- a/resources/variants/zav_mini_0.45.inst.cfg +++ b/resources/variants/zav_mini_0.45.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.50.inst.cfg b/resources/variants/zav_mini_0.50.inst.cfg index 1c451ee265..cadf873ee4 100644 --- a/resources/variants/zav_mini_0.50.inst.cfg +++ b/resources/variants/zav_mini_0.50.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.60.inst.cfg b/resources/variants/zav_mini_0.60.inst.cfg index 732f6ac1aa..8e4ebd36e1 100644 --- a/resources/variants/zav_mini_0.60.inst.cfg +++ b/resources/variants/zav_mini_0.60.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_0.80.inst.cfg b/resources/variants/zav_mini_0.80.inst.cfg index 6f4def25be..86cb723e36 100644 --- a/resources/variants/zav_mini_0.80.inst.cfg +++ b/resources/variants/zav_mini_0.80.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/resources/variants/zav_mini_1.00.inst.cfg b/resources/variants/zav_mini_1.00.inst.cfg index 8a34408846..e06e42f931 100644 --- a/resources/variants/zav_mini_1.00.inst.cfg +++ b/resources/variants/zav_mini_1.00.inst.cfg @@ -4,7 +4,7 @@ version = 4 definition = zav_mini [metadata] -setting_version = 18 +setting_version = 19 type = variant hardware_type = nozzle diff --git a/tests/API/TestAccount.py b/tests/API/TestAccount.py index 6780e50b81..1ad73462c2 100644 --- a/tests/API/TestAccount.py +++ b/tests/API/TestAccount.py @@ -80,46 +80,6 @@ def test_errorLoginState(application): account._onLoginStateChanged(False, "OMGZOMG!") account.loginStateChanged.emit.called_with(False) - -def test_userName(user_profile): - account = Account(MagicMock()) - mocked_auth_service = MagicMock() - account._authorization_service = mocked_auth_service - mocked_auth_service.getUserProfile = MagicMock(return_value = user_profile) - - assert account.userName == "username!" - - mocked_auth_service.getUserProfile = MagicMock(return_value=None) - assert account.userName is None - - -def test_profileImageUrl(user_profile): - account = Account(MagicMock()) - mocked_auth_service = MagicMock() - account._authorization_service = mocked_auth_service - mocked_auth_service.getUserProfile = MagicMock(return_value = user_profile) - - assert account.profileImageUrl == "profile_image_url!" - - mocked_auth_service.getUserProfile = MagicMock(return_value=None) - assert account.profileImageUrl is None - - -def test_userProfile(user_profile): - account = Account(MagicMock()) - mocked_auth_service = MagicMock() - account._authorization_service = mocked_auth_service - mocked_auth_service.getUserProfile = MagicMock(return_value=user_profile) - - returned_user_profile = account.userProfile - assert returned_user_profile["username"] == "username!" - assert returned_user_profile["profile_image_url"] == "profile_image_url!" - assert returned_user_profile["user_id"] == "user_id!" - - mocked_auth_service.getUserProfile = MagicMock(return_value=None) - assert account.userProfile is None - - def test_sync_success(): account = Account(MagicMock()) diff --git a/tests/TestBuildVolume.py b/tests/TestBuildVolume.py index 293b8e0270..f59d83df5e 100644 --- a/tests/TestBuildVolume.py +++ b/tests/TestBuildVolume.py @@ -57,7 +57,10 @@ class TestCalculateBedAdhesionSize: "machine_depth": {"value": 200}, "skirt_line_count": {"value": 0}, "skirt_gap": {"value": 0}, - "raft_margin": {"value": 0} + "raft_margin": {"value": 0}, + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, } def getPropertySideEffect(*args, **kwargs): @@ -109,6 +112,9 @@ class TestComputeDisallowedAreasStatic: setting_property_dict = {"machine_disallowed_areas": {"value": [[[-200, 112.5], [ -82, 112.5], [ -84, 102.5], [-115, 102.5]]]}, "machine_width": {"value": 200}, "machine_depth": {"value": 200}, + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, } def getPropertySideEffect(*args, **kwargs): @@ -157,7 +163,11 @@ class TestUpdateRaftThickness: "raft_surface_thickness": {"value": 1}, "raft_airgap": {"value": 1}, "layer_0_z_overlap": {"value": 1}, - "adhesion_type": {"value": "raft"}} + "adhesion_type": {"value": "raft"}, + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, + } def getPropertySideEffect(*args, **kwargs): properties = TestUpdateRaftThickness.setting_property_dict.get(args[1]) @@ -208,6 +218,9 @@ class TestComputeDisallowedAreasPrimeBlob: "extruder_prime_pos_x": {"value": 25}, "extruder_prime_pos_y": {"value": 50}, "machine_center_is_zero": {"value": True}, + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, } def getPropertySideEffect(*args, **kwargs): @@ -248,7 +261,11 @@ class TestComputeDisallowedAreasPrimeBlob: class TestCalculateExtraZClearance: setting_property_dict = {"retraction_hop": {"value": 12}, - "retraction_hop_enabled": {"value": True}} + "retraction_hop_enabled": {"value": True}, + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, + } def getPropertySideEffect(*args, **kwargs): properties = TestCalculateExtraZClearance.setting_property_dict.get(args[1]) @@ -285,6 +302,16 @@ class TestCalculateExtraZClearance: class TestRebuild: + setting_property_dict = { + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, + } + def getPropertySideEffect(*args, **kwargs): + properties = TestCalculateExtraZClearance.setting_property_dict.get(args[1]) + if properties: + return properties.get(args[2]) + def test_zeroWidthHeightDepth(self, build_volume: BuildVolume): build_volume.rebuild() assert build_volume.getMeshData() is None @@ -311,6 +338,7 @@ class TestRebuild: build_volume.setDepth(10) mocked_global_stack = MagicMock() + mocked_global_stack.getProperty = MagicMock(side_effect=self.getPropertySideEffect) build_volume._global_container_stack = mocked_global_stack build_volume.getEdgeDisallowedSize = MagicMock(return_value = 0) build_volume.updateNodeBoundaryCheck = MagicMock() @@ -328,7 +356,11 @@ class TestUpdateMachineSizeProperties: setting_property_dict = {"machine_width": {"value": 50}, "machine_depth": {"value": 100}, "machine_height": {"value": 200}, - "machine_shape": {"value": "DERP!"}} + "machine_shape": {"value": "DERP!"}, + "material_shrinkage_percentage": {"value": 100.0}, + "material_shrinkage_percentage_xy": {"value": 100.0}, + "material_shrinkage_percentage_z": {"value": 100.0}, + } def getPropertySideEffect(*args, **kwargs): properties = TestUpdateMachineSizeProperties.setting_property_dict.get(args[1]) diff --git a/tests/TestOAuth2.py b/tests/TestOAuth2.py index 2c039b296a..7d0a4bc5c4 100644 --- a/tests/TestOAuth2.py +++ b/tests/TestOAuth2.py @@ -1,9 +1,11 @@ -from datetime import datetime -from unittest.mock import MagicMock, patch +# Copyright (c) 2021 Ultimaker B.V. +# Cura is released under the terms of the LGPLv3 or higher. -import requests +from datetime import datetime +from unittest.mock import MagicMock, Mock, patch from PyQt5.QtGui import QDesktopServices +from PyQt5.QtNetwork import QNetworkReply from UM.Preferences import Preferences from cura.OAuth2.AuthorizationHelpers import AuthorizationHelpers, TOKEN_TIMESTAMP_FORMAT @@ -39,6 +41,14 @@ SUCCESSFUL_AUTH_RESPONSE = AuthenticationResponse( success = True ) +EXPIRED_AUTH_RESPONSE = AuthenticationResponse( + access_token = "expired", + refresh_token = "beep?", + received_at = datetime.now().strftime(TOKEN_TIMESTAMP_FORMAT), + expires_in = 300, # 5 minutes should be more than enough for testing + success = True +) + NO_REFRESH_AUTH_RESPONSE = AuthenticationResponse( access_token = "beep", received_at = datetime.now().strftime(TOKEN_TIMESTAMP_FORMAT), @@ -50,12 +60,17 @@ MALFORMED_AUTH_RESPONSE = AuthenticationResponse(success=False) def test_cleanAuthService() -> None: - # Ensure that when setting up an AuthorizationService, no data is set. + """ + Ensure that when setting up an AuthorizationService, no data is set. + """ authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) authorization_service.initialize() - assert authorization_service.getUserProfile() is None - assert authorization_service.getAccessToken() is None + mock_callback = Mock() + authorization_service.getUserProfile(mock_callback) + mock_callback.assert_called_once_with(None) + + assert authorization_service.getAccessToken() is None def test_refreshAccessTokenSuccess(): authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) @@ -68,34 +83,83 @@ def test_refreshAccessTokenSuccess(): authorization_service.refreshAccessToken() assert authorization_service.onAuthStateChanged.emit.called_with(True) - def test__parseJWTNoRefreshToken(): - authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) - with patch.object(AuthorizationService, "getUserProfile", return_value=UserProfile()): - authorization_service._storeAuthData(NO_REFRESH_AUTH_RESPONSE) - assert authorization_service._parseJWT() is None + """ + Tests parsing the user profile if there is no refresh token stored, but there is a normal authentication token. + The request for the user profile using the authentication token should still work normally. + """ + authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) + with patch.object(AuthorizationService, "getUserProfile", return_value = UserProfile()): + authorization_service._storeAuthData(NO_REFRESH_AUTH_RESPONSE) + + mock_callback = Mock() # To log the final profile response. + mock_reply = Mock() # The user profile that the service should respond with. + mock_reply.error = Mock(return_value = QNetworkReply.NetworkError.NoError) + http_mock = Mock() + http_mock.get = lambda url, headers_dict, callback, error_callback: callback(mock_reply) + http_mock.readJSON = Mock(return_value = {"data": {"user_id": "id_ego_or_superego", "username": "Ghostkeeper"}}) + + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): + authorization_service._parseJWT(mock_callback) + mock_callback.assert_called_once() + profile_reply = mock_callback.call_args_list[0][0][0] + assert profile_reply.user_id == "id_ego_or_superego" + assert profile_reply.username == "Ghostkeeper" def test__parseJWTFailOnRefresh(): + """ + Tries to refresh the authentication token using an invalid refresh token. The request should fail. + """ authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) - with patch.object(AuthorizationService, "getUserProfile", return_value=UserProfile()): + with patch.object(AuthorizationService, "getUserProfile", return_value = UserProfile()): authorization_service._storeAuthData(SUCCESSFUL_AUTH_RESPONSE) - with patch.object(AuthorizationHelpers, "getAccessTokenUsingRefreshToken", return_value=FAILED_AUTH_RESPONSE): - assert authorization_service._parseJWT() is None + mock_callback = Mock() # To log the final profile response. + mock_reply = Mock() # The response that the request should give, containing an error about it failing to authenticate. + mock_reply.error = Mock(return_value = QNetworkReply.NetworkError.AuthenticationRequiredError) # The reply is 403: Authentication required, meaning the server responded with a "Can't do that, Dave". + http_mock = Mock() + http_mock.get = lambda url, headers_dict, callback, error_callback: callback(mock_reply) + http_mock.post = lambda url, data, headers_dict, callback, error_callback: callback(mock_reply) + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.readJSON", Mock(return_value = {"error_description": "Mock a failed request!"})): + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): + authorization_service._parseJWT(mock_callback) + mock_callback.assert_called_once_with(None) def test__parseJWTSucceedOnRefresh(): + """ + Tries to refresh the authentication token using a valid refresh token. The request should succeed. + """ authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) authorization_service.initialize() - with patch.object(AuthorizationService, "getUserProfile", return_value=UserProfile()): - authorization_service._storeAuthData(SUCCESSFUL_AUTH_RESPONSE) + with patch.object(AuthorizationService, "getUserProfile", return_value = UserProfile()): + authorization_service._storeAuthData(EXPIRED_AUTH_RESPONSE) - with patch.object(AuthorizationHelpers, "getAccessTokenUsingRefreshToken", return_value=SUCCESSFUL_AUTH_RESPONSE): - with patch.object(AuthorizationHelpers, "parseJWT", MagicMock(return_value = None)) as mocked_parseJWT: - authorization_service._parseJWT() - mocked_parseJWT.assert_called_with("beep") + mock_callback = Mock() # To log the final profile response. + mock_reply_success = Mock() # The reply should be a failure when using the expired access token, but succeed when using the refresh token. + mock_reply_success.error = Mock(return_value = QNetworkReply.NetworkError.NoError) + mock_reply_failure = Mock() + mock_reply_failure.error = Mock(return_value = QNetworkReply.NetworkError.AuthenticationRequiredError) + http_mock = Mock() + def mock_get(url, headers_dict, callback, error_callback): + if(headers_dict == {"Authorization": "Bearer beep"}): + callback(mock_reply_success) + else: + callback(mock_reply_failure) + http_mock.get = mock_get + http_mock.readJSON = Mock(return_value = {"data": {"user_id": "user_idea", "username": "Ghostkeeper"}}) + def mock_refresh(self, refresh_token, callback): # Refreshing gives a valid token. + callback(SUCCESSFUL_AUTH_RESPONSE) + with patch("cura.OAuth2.AuthorizationHelpers.AuthorizationHelpers.getAccessTokenUsingRefreshToken", mock_refresh): + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): + authorization_service._parseJWT(mock_callback) + + mock_callback.assert_called_once() + profile_reply = mock_callback.call_args_list[0][0][0] + assert profile_reply.user_id == "user_idea" + assert profile_reply.username == "Ghostkeeper" def test_initialize(): original_preference = MagicMock() @@ -105,17 +169,28 @@ def test_initialize(): initialize_preferences.addPreference.assert_called_once_with("test/auth_data", "{}") original_preference.addPreference.assert_not_called() - def test_refreshAccessTokenFailed(): + """ + Test if the authentication is reset once the refresh token fails to refresh access. + """ authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) authorization_service.initialize() - with patch.object(AuthorizationService, "getUserProfile", return_value=UserProfile()): - authorization_service._storeAuthData(SUCCESSFUL_AUTH_RESPONSE) - authorization_service.onAuthStateChanged.emit = MagicMock() - with patch.object(AuthorizationHelpers, "getAccessTokenUsingRefreshToken", return_value=FAILED_AUTH_RESPONSE): - authorization_service.refreshAccessToken() - assert authorization_service.onAuthStateChanged.emit.called_with(False) + def mock_refresh(self, refresh_token, callback): # Refreshing gives a valid token. + callback(FAILED_AUTH_RESPONSE) + mock_reply = Mock() # The response that the request should give, containing an error about it failing to authenticate. + mock_reply.error = Mock(return_value = QNetworkReply.NetworkError.AuthenticationRequiredError) # The reply is 403: Authentication required, meaning the server responded with a "Can't do that, Dave". + http_mock = Mock() + http_mock.get = lambda url, headers_dict, callback, error_callback: callback(mock_reply) + http_mock.post = lambda url, data, headers_dict, callback, error_callback: callback(mock_reply) + + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.readJSON", Mock(return_value = {"error_description": "Mock a failed request!"})): + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): + authorization_service._storeAuthData(SUCCESSFUL_AUTH_RESPONSE) + authorization_service.onAuthStateChanged.emit = MagicMock() + with patch("cura.OAuth2.AuthorizationHelpers.AuthorizationHelpers.getAccessTokenUsingRefreshToken", mock_refresh): + authorization_service.refreshAccessToken() + assert authorization_service.onAuthStateChanged.emit.called_with(False) def test_refreshAccesTokenWithoutData(): authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) @@ -124,14 +199,6 @@ def test_refreshAccesTokenWithoutData(): authorization_service.refreshAccessToken() authorization_service.onAuthStateChanged.emit.assert_not_called() - -def test_userProfileException(): - authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) - authorization_service.initialize() - authorization_service._parseJWT = MagicMock(side_effect=requests.exceptions.ConnectionError) - assert authorization_service.getUserProfile() is None - - def test_failedLogin() -> None: authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) authorization_service.onAuthenticationError.emit = MagicMock() @@ -151,8 +218,7 @@ def test_failedLogin() -> None: assert authorization_service.getUserProfile() is None assert authorization_service.getAccessToken() is None - -@patch.object(AuthorizationService, "getUserProfile", return_value=UserProfile()) +@patch.object(AuthorizationService, "getUserProfile") def test_storeAuthData(get_user_profile) -> None: preferences = Preferences() authorization_service = AuthorizationService(OAUTH_SETTINGS, preferences) @@ -170,7 +236,6 @@ def test_storeAuthData(get_user_profile) -> None: second_auth_service.loadAuthDataFromPreferences() assert second_auth_service.getAccessToken() == SUCCESSFUL_AUTH_RESPONSE.access_token - @patch.object(LocalAuthorizationServer, "stop") @patch.object(LocalAuthorizationServer, "start") @patch.object(QDesktopServices, "openUrl") @@ -188,7 +253,6 @@ def test_localAuthServer(QDesktopServices_openUrl, start_auth_server, stop_auth_ # Ensure that it stopped the server. assert stop_auth_server.call_count == 1 - def test_loginAndLogout() -> None: preferences = Preferences() authorization_service = AuthorizationService(OAUTH_SETTINGS, preferences) @@ -196,8 +260,14 @@ def test_loginAndLogout() -> None: authorization_service.onAuthStateChanged.emit = MagicMock() authorization_service.initialize() + mock_reply = Mock() # The user profile that the service should respond with. + mock_reply.error = Mock(return_value = QNetworkReply.NetworkError.NoError) + http_mock = Mock() + http_mock.get = lambda url, headers_dict, callback, error_callback: callback(mock_reply) + http_mock.readJSON = Mock(return_value = {"data": {"user_id": "di_resu", "username": "Emanresu"}}) + # Let the service think there was a successful response - with patch.object(AuthorizationHelpers, "parseJWT", return_value=UserProfile()): + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): authorization_service._onAuthStateChanged(SUCCESSFUL_AUTH_RESPONSE) # Ensure that the error signal was not triggered @@ -205,7 +275,10 @@ def test_loginAndLogout() -> None: # Since we said that it went right this time, validate that we got a signal. assert authorization_service.onAuthStateChanged.emit.call_count == 1 - assert authorization_service.getUserProfile() is not None + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): + def callback(profile): + assert profile is not None + authorization_service.getUserProfile(callback) assert authorization_service.getAccessToken() == "beep" # Check that we stored the authentication data, so next time the user won't have to log in again. @@ -214,19 +287,22 @@ def test_loginAndLogout() -> None: # We're logged in now, also check if logging out works authorization_service.deleteAuthData() assert authorization_service.onAuthStateChanged.emit.call_count == 2 - assert authorization_service.getUserProfile() is None + with patch("UM.TaskManagement.HttpRequestManager.HttpRequestManager.getInstance", MagicMock(return_value = http_mock)): + def callback(profile): + assert profile is None + authorization_service.getUserProfile(callback) # Ensure the data is gone after we logged out. assert preferences.getValue("test/auth_data") == "{}" - def test_wrongServerResponses() -> None: authorization_service = AuthorizationService(OAUTH_SETTINGS, Preferences()) authorization_service.initialize() - with patch.object(AuthorizationHelpers, "parseJWT", return_value=UserProfile()): - authorization_service._onAuthStateChanged(MALFORMED_AUTH_RESPONSE) - assert authorization_service.getUserProfile() is None + authorization_service._onAuthStateChanged(MALFORMED_AUTH_RESPONSE) + def callback(profile): + assert profile is None + authorization_service.getUserProfile(callback) def test__generate_auth_url() -> None: preferences = Preferences()